Explique su problema tratando de dar el mayor número de detalles posible

Guía HTML para principiantes: etiquetas y formato de texto e imágenes

Guía html

HTML es un lenguaje de marcado para páginas web. De hecho, HTML significa Lenguaje de marcado de hipertexto.

Una cosa que hay que dejar clara desde el principio y tener presente es que elHTML no es un lenguaje de programaciónHTML es sólo para dar formato al texto y para maquetar elementos como formularios, citas, vídeos.

En esta breve guía no nos detendremos demasiado en discusiones técnicas o filosóficas sobre qué es un hipertextopero tomaremos como definición la de página web, una página navegable en Internet.

Herramientas

Para desarrollar su primera página html, un simple editor de textoPara los usuarios de Windows, la sencilla Bloc de notas.

Nuestra primera página HTML

Abre el bloc de notas e introduce el siguiente código:

<html></html>

Haz clic en Guardar y elige un nombre "página.html" y en el menú desplegable "guardar como"recuerde seleccionar "todos los archivos“.

Ya hemos creado nuestra primera página html, que una vez abierta mostrará una página en blanco.

Cada página html consta básicamente de dos elementos, un head <head> y un cuerpo <body>.

Así modificamos nuestra página:

<html>
<head></head>
<body></body>
</html>

El DOCTYPE

En este punto es importante introducir el concepto de DOCTYPE. El doctype es una declaración que se inserta al principio del documento y que permite a los navegadores renderizar la página correctamente. En el caso de HTML5 la declaración doctype es la siguiente

<!doctype html>
<html>
<head></head>
<body></body>
</html>

En el pasado, se utilizaban declaraciones de doctype más largas y articuladas, pero ahora elHTML5 es una norma, por lo que nos limitaremos a ésta.

Añadir un título a la página HTML: la etiqueta title

Si intentamos abrir la página html creada anteriormente, veremos que en la barra de la ventana aparece la ruta del archivo. Si queremos añadir un título más explicativo, podemos añadir la etiqueta </strong> en el<strong><head></strong> del documento.</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup line-numbers"><!doctype html> <html> <head> <title>Mi primera página web</title> </head> <body></body> </html></code></pre> <p>Además de hacer la página más fácil de usar, la presencia del título también es importante en el lateral <strong>SEO</strong>.</p> <h2 class="wp-block-heading" id="i-tag">Etiquetas</h2> <p>Una de las primeras cosas que podemos observar es que HTML es un lenguaje compuesto de etiquetas. Cada etiqueta HTML va siempre encerrada entre un signo menor ( ). Una etiqueta genérica se caracteriza por la siguiente sintaxis: </p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup line-numbers"><nomedeltag></code></pre> <p>Las etiquetas pueden incluir una apertura <strong><nometag></strong> y un cierre <strong>.</strong>, </p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><h1>Título del artículo</h1></code></pre> <p>o ser etiquetas que no contienen ningún elemento y, por tanto, se cierran solas. Un ejemplo de este último tipo de etiquetas es <strong><img /></strong>.</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup line-numbers"><img src="mondo.jpg" /></code></pre> <p>En esta breve guía no analizaremos todas las etiquetas html, sino sólo las que se utilizan con más frecuencia. Para obtener una lista exhaustiva de todas las etiquetas puede consultar <a href="https://developer.mozilla.org/en-US/docs/Web/HTML/Element" target="_blank" rel="noopener">aquí</a>.</p> <p>Veamos cuáles son las principales etiquetas y cómo utilizarlas.</p> <h2 class="wp-block-heading" id="il-tag-h1-e-gli-altri-headings">La etiqueta <h1> y las demás rúbricas</h2> <p>La etiqueta <strong><h1></strong> se utiliza para definir un encabezado, es decir, un texto que tiene mayor importancia dentro del contenido de nuestra página html, por lo que se formateará con una fuente más grande. </p> <p>Existen varias etiquetas de cabecera en función de su importancia: así, se puede tener <strong><h1></strong>, <strong><h2></strong> , <<strong>h3></strong> , <strong><h4></strong> , <strong><h5></strong> , <strong><h6></strong>. </p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><h1>Título de la página</h1></code></pre> <h2 class="wp-block-heading" id="il-tag-p">La etiqueta <p></h2> <p>El <<strong>p></strong> se utiliza para definir un párrafo. Si se inserta texto dentro de esta etiqueta, se formateará como texto libre. </p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><p>En esta página hablaremos de HTML.</p></code></pre> <h2 class="wp-block-heading" id="il-tag-b">La etiqueta <b></h2> <p>La etiqueta <strong><b></strong> se utiliza para resaltar texto:</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><b>texto muy importante</b></code></pre> <p>Su funcionamiento es idéntico al del <strong>ponga una parte del texto en negrita.</p> <h2 class="wp-block-heading" id="il-tag-a">La etiqueta <a> </h2> <p>La etiqueta <a> se utiliza para definir un enlace (enlaces entre páginas web) nos permite crear un enlace desde nuestra página a otra página. La sintaxis de un enlace es la siguiente: </p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><a href="https://www.google.it">Enlaces Google</a></code></pre> <p>Podemos ver que el <a> necesita el atributo href que indica la página de destino. </p> <h2 class="wp-block-heading" id="il-tag-img">La etiqueta <img></h2> <p>La etiqueta <strong><img></strong> se utiliza para insertar una imagen en la página HTML. A diferencia de las etiquetas anteriores, la etiqueta <img> es una etiqueta de cierre automático, es decir, no necesita una etiqueta de cierre.</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><img src="immagini/terra.jpg" /></code></pre> <p>Como vemos en el ejemplo, el <img> necesita el atributo src, que indica la ruta a la imagen que se va a mostrar. El atributo <img> también puede tener otros atributos:</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><img src="immagini/terra.jpg" alt="imagen de la Tierra" /></code></pre> <p>En este ejemplo, el atributo alt se utiliza para mostrar un texto alternativo en caso de que la imagen no se cargue. También es útil para indicar a los motores de búsqueda lo que se muestra en la página, lo que es muy importante en términos de SEO.</p> <h2 class="wp-block-heading" id="i-tag-lista-ul-ol-li">Las etiquetas de lista <ul>, <ol>, <li></h2> <p>Si queremos mostrar una lista en nuestra página html, podemos utilizar la etiqueta <ul>. Esta etiqueta muestra una lista desordenada, por lo que aparecerá un punto junto a cada elemento de la lista. Si queremos mostrar una lista numerada, podemos utilizar la etiqueta <ol>. </p> <p>Cada elemento de la lista debe ir dentro de la etiqueta <li>.</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><ul> <li>Primo punto</li> <li>Secondo punto</li> <li>Terzo punto</li> </ul></code></pre> <h2 class="wp-block-heading" id="mini-tutorial-come-creare-la-tua-prima-pagina-web">Mini tutorial: cómo crear tu primera página web</h2> <p>Tras un rápido vistazo a las principales etiquetas html, podemos intentar crear nuestra primera página web.</p> <p>Abre el Bloc de notas o cualquier otro editor de texto y empieza a escribir este código:</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup"><!doctype html> <html> <head> <title>Mi primera página web</title> </head> <body></body> </html></code></pre> <figure data-wp-context="{"uploadedSrc":"https:\/\/www.francescopepe.com\/wp-content\/uploads\/2019\/07\/tutorial_html_02.png","figureClassNames":"wp-block-image","figureStyles":null,"imgClassNames":"wp-image-133","imgStyles":null,"targetWidth":600,"targetHeight":400,"scaleAttr":false,"ariaLabel":"Ampliar la imagen: prima pagina html","alt":"prima pagina html"}" data-wp-interactive="core/image" class="wp-block-image wp-lightbox-container"><img decoding="async" width="600" height="400" data-wp-init="callbacks.setButtonStyles" data-wp-on-async--click="actions.showLightbox" data-wp-on-async--load="callbacks.setButtonStyles" data-wp-on-async-window--resize="callbacks.setButtonStyles" src="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02.png" alt="primera página html" class="wp-image-133" title="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 2" srcset="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02.png 600w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02-300x200.png 300w" sizes="(max-width: 600px) 100vw, 600px" /><button class="lightbox-trigger" type="button" aria-haspopup="dialog" aria-label="Ampliar la imagen: primera página html" data-wp-init="callbacks.initTriggerButton" data-wp-on-async--click="actions.showLightbox" data-wp-style--right="context.imageButtonRight" data-wp-style--top="context.imageButtonTop" > <svg xmlns="http://www.w3.org/2000/svg" width="12" height="12" fill="none" viewbox="0 0 12 12"> <path fill="#fff" d="M2 0a2 2 0 0 0-2 2v2h1.5V2a.5.5 0 0 1 .5-.5h2V0H2Zm2 10.5H2a.5.5 0 0 1-.5-.5V8H0v2a2 2 0 0 0 2 2h2v-1.5ZM8 12v-1.5h2a.5.5 0 0 0 .5-.5V8H12v2a2 2 0 0 1-2 2H8Zm2-12a2 2 0 0 1 2 2v2h-1.5V2a.5.5 0 0 0-.5-.5H8V0h2Z" /> </svg> </button></figure> <p>Guardar como y recuerde seleccionar "Todos los archivos" en el cuadro desplegable y, a continuación, guardar como <strong>index.html</strong> o <strong>mipagina.html</strong> o lo que más nos gusta. </p> <figure data-wp-context="{"uploadedSrc":"https:\/\/www.francescopepe.com\/wp-content\/uploads\/2019\/07\/tutorial_html_02-1.png","figureClassNames":"wp-block-image","figureStyles":null,"imgClassNames":"wp-image-135","imgStyles":null,"targetWidth":960,"targetHeight":540,"scaleAttr":false,"ariaLabel":"Ampliar la imagen","alt":""}" data-wp-interactive="core/image" class="wp-block-image wp-lightbox-container"><img loading="lazy" decoding="async" width="960" height="540" data-wp-init="callbacks.setButtonStyles" data-wp-on-async--click="actions.showLightbox" data-wp-on-async--load="callbacks.setButtonStyles" data-wp-on-async-window--resize="callbacks.setButtonStyles" src="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02-1.png" alt="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 1" class="wp-image-135" title="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 3" srcset="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02-1.png 960w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02-1-300x169.png 300w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_02-1-768x432.png 768w" sizes="(max-width: 960px) 100vw, 960px" /><button class="lightbox-trigger" type="button" aria-haspopup="dialog" aria-label="Ampliar la imagen" data-wp-init="callbacks.initTriggerButton" data-wp-on-async--click="actions.showLightbox" data-wp-style--right="context.imageButtonRight" data-wp-style--top="context.imageButtonTop" > <svg xmlns="http://www.w3.org/2000/svg" width="12" height="12" fill="none" viewbox="0 0 12 12"> <path fill="#fff" d="M2 0a2 2 0 0 0-2 2v2h1.5V2a.5.5 0 0 1 .5-.5h2V0H2Zm2 10.5H2a.5.5 0 0 1-.5-.5V8H0v2a2 2 0 0 0 2 2h2v-1.5ZM8 12v-1.5h2a.5.5 0 0 0 .5-.5V8H12v2a2 2 0 0 1-2 2H8Zm2-12a2 2 0 0 1 2 2v2h-1.5V2a.5.5 0 0 0-.5-.5H8V0h2Z" /> </svg> </button></figure> <p>Si hacemos doble clic en el archivo que acabamos de guardar, se abrirá una nueva ventana del navegador con nuestra primera página html. Será una página vacía, pero tendrá el título que hemos introducido en el campo <strong><title></strong>.</p> <figure data-wp-context="{"uploadedSrc":"https:\/\/www.francescopepe.com\/wp-content\/uploads\/2019\/07\/tutorial_html_03.png","figureClassNames":"wp-block-image","figureStyles":null,"imgClassNames":"wp-image-136","imgStyles":null,"targetWidth":650,"targetHeight":133,"scaleAttr":false,"ariaLabel":"Ampliar la imagen","alt":""}" data-wp-interactive="core/image" class="wp-block-image wp-lightbox-container"><img loading="lazy" decoding="async" width="650" height="133" data-wp-init="callbacks.setButtonStyles" data-wp-on-async--click="actions.showLightbox" data-wp-on-async--load="callbacks.setButtonStyles" data-wp-on-async-window--resize="callbacks.setButtonStyles" src="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_03.png" alt="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 2" class="wp-image-136" title="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 4" srcset="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_03.png 650w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_03-300x61.png 300w" sizes="(max-width: 650px) 100vw, 650px" /><button class="lightbox-trigger" type="button" aria-haspopup="dialog" aria-label="Ampliar la imagen" data-wp-init="callbacks.initTriggerButton" data-wp-on-async--click="actions.showLightbox" data-wp-style--right="context.imageButtonRight" data-wp-style--top="context.imageButtonTop" > <svg xmlns="http://www.w3.org/2000/svg" width="12" height="12" fill="none" viewbox="0 0 12 12"> <path fill="#fff" d="M2 0a2 2 0 0 0-2 2v2h1.5V2a.5.5 0 0 1 .5-.5h2V0H2Zm2 10.5H2a.5.5 0 0 1-.5-.5V8H0v2a2 2 0 0 0 2 2h2v-1.5ZM8 12v-1.5h2a.5.5 0 0 0 .5-.5V8H12v2a2 2 0 0 1-2 2H8Zm2-12a2 2 0 0 1 2 2v2h-1.5V2a.5.5 0 0 0-.5-.5H8V0h2Z" /> </svg> </button></figure> <p>Pasemos a la construcción de la página web. Añadimos una cabecera y algunos párrafos. Aplicamos el <strong><b></strong> algunas palabras para destacar, como el nombre de la ciudad de nacimiento, añadir una foto con la etiqueta <strong><img></strong> y un enlace a la página en Wikipedia.</p> <pre class="wp-block-code" data-no-auto-translation=""><code lang="markup" class="language-markup line-numbers"><!doctype html> <html> <head> <title>Mi primera página web</title> </head> <body> <h1>Lionel Messi</h1> <p>Lionel Andrés Messi, al que muchos llaman simplemente Leo, nació el 24 de junio de 1987 en <b>Rosario</b>en el estado argentino de Santa Fe. </p> <img src="Messi.jpg" /> <p>Sólo tiene cinco años cuando empieza a dar patadas al balón. Su primer equipo es el <b>Grandoli</b>En su ciudad hay una pequeña escuela de fútbol para niños. El entrenador de los chicos es Jorge Messi, obrero metalúrgico y padre del futuro campeón. </p> <p>A los siete años <a href="https://it.wikipedia.org/wiki/Lionel_Messi">Lionel Messi</a> Viste la camiseta de "Newell's Old Boys" y juega en las categorías inferiores. A los ojos de los aficionados al fútbol que seguían al chaval por los campos de Rosario, el talento del joven ya era evidente. </p> <h2>La llegada a barcelona</h2> <p>Debido a un retraso en el desarrollo óseo del niño causado por los bajos niveles de hormonas del crecimiento en su organismo, la transición se desvanece. </p> <p>Se aconseja a la familia que busque tratamiento médico, pero es muy caro: se habla de 900 dólares al mes; Jorge Messi pide ayuda a Newell's Old Boys y a River Plate sin obtener soluciones adecuadas. Creyendo firmemente en el posible futuro de Lionel como campeón, pide ayuda a algunas fundaciones. </p> </body> </html></code></pre> <p>Si queremos insertar una imagen, podemos guardarla en la misma carpeta que el archivo html y recuperarla introduciendo el nombre del archivo en el campo <strong>src</strong> de la etiqueta <strong><img></strong>.</p> <p>Si hemos hecho todo correctamente, deberíamos obtener algo como esto:</p> <figure data-wp-context="{"uploadedSrc":"https:\/\/www.francescopepe.com\/wp-content\/uploads\/2019\/07\/tutorial_html_04.png","figureClassNames":"wp-block-image","figureStyles":null,"imgClassNames":"wp-image-146","imgStyles":null,"targetWidth":902,"targetHeight":654,"scaleAttr":false,"ariaLabel":"Ampliar la imagen","alt":""}" data-wp-interactive="core/image" class="wp-block-image wp-lightbox-container"><img loading="lazy" decoding="async" width="902" height="654" data-wp-init="callbacks.setButtonStyles" data-wp-on-async--click="actions.showLightbox" data-wp-on-async--load="callbacks.setButtonStyles" data-wp-on-async-window--resize="callbacks.setButtonStyles" src="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_04.png" alt="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 3" class="wp-image-146" title="Guía HTML para principiantes: etiquetas y formato de texto e imágenes 5" srcset="https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_04.png 902w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_04-300x218.png 300w, https://www.francescopepe.com/wp-content/uploads/2019/07/tutorial_html_04-768x557.png 768w" sizes="(max-width: 902px) 100vw, 902px" /><button class="lightbox-trigger" type="button" aria-haspopup="dialog" aria-label="Ampliar la imagen" data-wp-init="callbacks.initTriggerButton" data-wp-on-async--click="actions.showLightbox" data-wp-style--right="context.imageButtonRight" data-wp-style--top="context.imageButtonTop" > <svg xmlns="http://www.w3.org/2000/svg" width="12" height="12" fill="none" viewbox="0 0 12 12"> <path fill="#fff" d="M2 0a2 2 0 0 0-2 2v2h1.5V2a.5.5 0 0 1 .5-.5h2V0H2Zm2 10.5H2a.5.5 0 0 1-.5-.5V8H0v2a2 2 0 0 0 2 2h2v-1.5ZM8 12v-1.5h2a.5.5 0 0 0 .5-.5V8H12v2a2 2 0 0 1-2 2H8Zm2-12a2 2 0 0 1 2 2v2h-1.5V2a.5.5 0 0 0-.5-.5H8V0h2Z" /> </svg> </button></figure> <p>En esta breve guía sobre HTML, hemos visto cómo hacer una página web, añadir texto e imágenes, dar formato a una cabecera y texto en negrita, y añadir enlaces. </p> <p>Para mejorar nuestra página tendremos que cambiar su apariencia, utilizando la función <strong>CSS</strong>. Este será el tema de una futura guía.</p> </div> <div class="wp-block-group has-global-padding is-layout-constrained wp-block-group-is-layout-constrained"> <div class="wp-block-group post-meta has-small-font-size is-content-justification-space-between is-layout-flex wp-container-core-group-is-layout-5 wp-block-group-is-layout-flex" style="border-radius:5px;margin-top:var(--wp--preset--spacing--large)"></div> </div> </main> <div class="wp-block-comments alignfull wp-block-comments-query-loop has-tertiary-background-color has-background" style="margin-top:0;margin-bottom:0;padding-top:var(--wp--preset--spacing--x-large);padding-right:var(--wp--preset--spacing--medium);padding-bottom:var(--wp--preset--spacing--x-large);padding-left:var(--wp--preset--spacing--medium)"> <div class="wp-block-group has-global-padding is-layout-constrained wp-container-core-group-is-layout-10 wp-block-group-is-layout-constrained" style="padding-right:0;padding-left:0"> <div class="wp-block-group has-global-padding is-layout-constrained wp-container-core-group-is-layout-8 wp-block-group-is-layout-constrained"> <h2 class="wp-block-heading">Comentarios</h2> </div> <div class="wp-block-group has-global-padding is-layout-constrained wp-block-group-is-layout-constrained"></div> <div id="respond" class="comment-respond wp-block-post-comments-form"> <h3 id="reply-title" class="comment-reply-title">Deja una respuesta <small><a rel="nofollow" id="cancel-comment-reply-link" href="/es/guia-html/#respond" style="display:none;">Cancelar la respuesta</a></small></h3><form action="https://www.francescopepe.com/wp-comments-post.php" method="post" id="commentform" class="comment-form" novalidate data-trp-original-action="https://www.francescopepe.com/wp-comments-post.php"><p class="comment-notes"><span id="email-notes">Tu dirección de correo electrónico no será publicada.</span> <span class="required-field-message">Los campos obligatorios están marcados con <span class="required">*</span></span></p><p class="comment-form-comment"><label for="comment">Comentario <span class="required">*</span></label> <textarea id="comment" name="comment" cols="45" rows="8" maxlength="65525" required></textarea></p><p class="comment-form-author"><label for="author">Nombre <span class="required">*</span></label> <input id="author" name="author" type="text" value="" size="30" maxlength="245" autocomplete="name" required /></p> <p class="comment-form-email"><label for="email">Correo electrónico <span class="required">*</span></label> <input id="email" name="email" type="email" value="" size="30" maxlength="100" aria-describedby="email-notes" autocomplete="email" required /></p> <p class="comment-form-url"><label for="url">Web</label> <input id="url" name="url" type="url" value="" size="30" maxlength="200" autocomplete="url" /></p> <p class="form-submit wp-block-button"><input name="submit" type="submit" id="submit" class="wp-block-button__link wp-element-button" value="Publicar el comentario" /> <input type='hidden' name='comment_post_ID' value='1' id='comment_post_ID' /> <input type='hidden' name='comment_parent' id='comment_parent' value='0' /> </p><input type="hidden" name="trp-form-language" value="es"/></form> </div><!-- #respond --> </div> </div> <div class="wp-block-group alignfull has-primary-background-color has-background has-global-padding is-layout-constrained wp-container-core-group-is-layout-14 wp-block-group-is-layout-constrained" style="margin-top:0;margin-bottom:0;padding-top:var(--wp--preset--spacing--x-large);padding-bottom:var(--wp--preset--spacing--x-large)"> <div class="wp-block-query alignwide is-layout-flow wp-block-query-is-layout-flow"><ul class="columns-3 wp-block-post-template has-large-font-size is-layout-grid wp-container-core-post-template-is-layout-1 wp-block-post-template-is-layout-grid"><li class="wp-block-post post-1084 post type-post status-publish format-standard has-post-thumbnail hentry category-guide"> <div class="wp-block-group is-vertical is-content-justification-left is-layout-flex wp-container-core-group-is-layout-11 wp-block-group-is-layout-flex"><div style="font-style:normal;font-weight:500" class="taxonomy-category has-link-color is-style-default wp-elements-a566851584f438afbd43d6c4573ab560 wp-block-post-terms has-text-color has-main-accent-color has-x-small-font-size"><a href="https://www.francescopepe.com/es/categoria/guias/" rel="tag">Guías</a></div> <h2 style="font-style:normal;font-weight:600;text-decoration:none; margin-top:0px;margin-right:0px;margin-bottom:0px;margin-left:0px;" class="has-link-color wp-elements-93a9775c2dc1ae17883d3f54ed88db4b wp-block-post-title has-base-font-size"><a href="https://www.francescopepe.com/es/como-enviar-datos-de-formulario-en-google-sheets/" target="_self" >Cómo enviar datos de formularios en Google Sheets: Guía práctica</a></h2> <div class="wp-block-post-date has-text-color has-main-accent-color has-x-small-font-size"><time datetime="2024-05-10T02:59:54+00:00">10 de mayo de 2024</time></div></div> </li><li class="wp-block-post post-316 post type-post status-publish format-standard has-post-thumbnail hentry category-seo"> <div class="wp-block-group is-vertical is-content-justification-left is-layout-flex wp-container-core-group-is-layout-12 wp-block-group-is-layout-flex"><div style="font-style:normal;font-weight:500" class="taxonomy-category has-link-color is-style-default wp-elements-a566851584f438afbd43d6c4573ab560 wp-block-post-terms has-text-color has-main-accent-color has-x-small-font-size"><a href="https://www.francescopepe.com/es/categoria/seo/" rel="tag">SEO</a></div> <h2 style="font-style:normal;font-weight:600;text-decoration:none; margin-top:0px;margin-right:0px;margin-bottom:0px;margin-left:0px;" class="has-link-color wp-elements-93a9775c2dc1ae17883d3f54ed88db4b wp-block-post-title has-base-font-size"><a href="https://www.francescopepe.com/es/como-aumentar-la-visibilidad-en-los-motores-de-busqueda-con-faq-rich-snippets/" target="_self" >Cómo aumentar la visibilidad en los motores de búsqueda con el fragmento enriquecido de FAQ</a></h2> <div class="wp-block-post-date has-text-color has-main-accent-color has-x-small-font-size"><time datetime="2023-08-02T17:09:00+00:00">2 de agosto de 2023</time></div></div> </li><li class="wp-block-post post-375 post type-post status-publish format-standard has-post-thumbnail hentry category-seo"> <div class="wp-block-group is-vertical is-content-justification-left is-layout-flex wp-container-core-group-is-layout-13 wp-block-group-is-layout-flex"><div style="font-style:normal;font-weight:500" class="taxonomy-category has-link-color is-style-default wp-elements-a566851584f438afbd43d6c4573ab560 wp-block-post-terms has-text-color has-main-accent-color has-x-small-font-size"><a href="https://www.francescopepe.com/es/categoria/seo/" rel="tag">SEO</a></div> <h2 style="font-style:normal;font-weight:600;text-decoration:none; margin-top:0px;margin-right:0px;margin-bottom:0px;margin-left:0px;" class="has-link-color wp-elements-93a9775c2dc1ae17883d3f54ed88db4b wp-block-post-title has-base-font-size"><a href="https://www.francescopepe.com/es/como-realizar-un-seguimiento-de-los-eventos-en-analytics/" target="_self" >Cómo realizar el seguimiento de eventos en Google Analytics</a></h2> <div class="wp-block-post-date has-text-color has-main-accent-color has-x-small-font-size"><time datetime="2019-08-05T15:32:46+00:00">5 de agosto de 2019</time></div></div> </li></ul></div> </div> <footer class="site-footer wp-block-template-part"> <div class="wp-block-group alignfull dark-footer has-base-color has-main-background-color has-text-color has-background has-link-color wp-elements-0f294aabf00e0760828c70e5013002a4 has-global-padding is-layout-constrained wp-container-core-group-is-layout-21 wp-block-group-is-layout-constrained" style="margin-top:0px;padding-top:var(--wp--preset--spacing--xx-large);padding-right:var(--wp--preset--spacing--medium);padding-bottom:var(--wp--preset--spacing--xx-large);padding-left:var(--wp--preset--spacing--medium)"> <div class="wp-block-columns alignwide is-layout-flex wp-container-core-columns-is-layout-2 wp-block-columns-is-layout-flex"> <div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"> <p style="font-style:normal;font-weight:600">Francesco Pepe</p> <ul class="wp-block-social-links has-icon-color has-icon-background-color is-style-default is-content-justification-left is-layout-flex wp-container-core-social-links-is-layout-1 wp-block-social-links-is-layout-flex"><li style="color: #150E29; background-color: #fff; " class="wp-social-link wp-social-link-instagram has-main-color has-base-background-color wp-block-social-link"><a href="https://instagram.com/tropicalista_" class="wp-block-social-link-anchor"><svg width="24" height="24" viewbox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" focusable="false"><path d="M12,4.622c2.403,0,2.688,0.009,3.637,0.052c0.877,0.04,1.354,0.187,1.671,0.31c0.42,0.163,0.72,0.358,1.035,0.673 c0.315,0.315,0.51,0.615,0.673,1.035c0.123,0.317,0.27,0.794,0.31,1.671c0.043,0.949,0.052,1.234,0.052,3.637 s-0.009,2.688-0.052,3.637c-0.04,0.877-0.187,1.354-0.31,1.671c-0.163,0.42-0.358,0.72-0.673,1.035 c-0.315,0.315-0.615,0.51-1.035,0.673c-0.317,0.123-0.794,0.27-1.671,0.31c-0.949,0.043-1.233,0.052-3.637,0.052 s-2.688-0.009-3.637-0.052c-0.877-0.04-1.354-0.187-1.671-0.31c-0.42-0.163-0.72-0.358-1.035-0.673 c-0.315-0.315-0.51-0.615-0.673-1.035c-0.123-0.317-0.27-0.794-0.31-1.671C4.631,14.688,4.622,14.403,4.622,12 s0.009-2.688,0.052-3.637c0.04-0.877,0.187-1.354,0.31-1.671c0.163-0.42,0.358-0.72,0.673-1.035 c0.315-0.315,0.615-0.51,1.035-0.673c0.317-0.123,0.794-0.27,1.671-0.31C9.312,4.631,9.597,4.622,12,4.622 M12,3 C9.556,3,9.249,3.01,8.289,3.054C7.331,3.098,6.677,3.25,6.105,3.472C5.513,3.702,5.011,4.01,4.511,4.511 c-0.5,0.5-0.808,1.002-1.038,1.594C3.25,6.677,3.098,7.331,3.054,8.289C3.01,9.249,3,9.556,3,12c0,2.444,0.01,2.751,0.054,3.711 c0.044,0.958,0.196,1.612,0.418,2.185c0.23,0.592,0.538,1.094,1.038,1.594c0.5,0.5,1.002,0.808,1.594,1.038 c0.572,0.222,1.227,0.375,2.185,0.418C9.249,20.99,9.556,21,12,21s2.751-0.01,3.711-0.054c0.958-0.044,1.612-0.196,2.185-0.418 c0.592-0.23,1.094-0.538,1.594-1.038c0.5-0.5,0.808-1.002,1.038-1.594c0.222-0.572,0.375-1.227,0.418-2.185 C20.99,14.751,21,14.444,21,12s-0.01-2.751-0.054-3.711c-0.044-0.958-0.196-1.612-0.418-2.185c-0.23-0.592-0.538-1.094-1.038-1.594 c-0.5-0.5-1.002-0.808-1.594-1.038c-0.572-0.222-1.227-0.375-2.185-0.418C14.751,3.01,14.444,3,12,3L12,3z M12,7.378 c-2.552,0-4.622,2.069-4.622,4.622S9.448,16.622,12,16.622s4.622-2.069,4.622-4.622S14.552,7.378,12,7.378z M12,15 c-1.657,0-3-1.343-3-3s1.343-3,3-3s3,1.343,3,3S13.657,15,12,15z M16.804,6.116c-0.596,0-1.08,0.484-1.08,1.08 s0.484,1.08,1.08,1.08c0.596,0,1.08-0.484,1.08-1.08S17.401,6.116,16.804,6.116z"></path></svg><span class="wp-block-social-link-label screen-reader-text">Instagram</span></a></li> <li style="color: #150E29; background-color: #fff; " class="wp-social-link wp-social-link-facebook has-main-color has-base-background-color wp-block-social-link"><a href="https://facebook.com/tropicalista" class="wp-block-social-link-anchor"><svg width="24" height="24" viewbox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" focusable="false"><path d="M12 2C6.5 2 2 6.5 2 12c0 5 3.7 9.1 8.4 9.9v-7H7.9V12h2.5V9.8c0-2.5 1.5-3.9 3.8-3.9 1.1 0 2.2.2 2.2.2v2.5h-1.3c-1.2 0-1.6.8-1.6 1.6V12h2.8l-.4 2.9h-2.3v7C18.3 21.1 22 17 22 12c0-5.5-4.5-10-10-10z"></path></svg><span class="wp-block-social-link-label screen-reader-text">Facebook</span></a></li> <li style="color: #150E29; background-color: #fff; " class="wp-social-link wp-social-link-github has-main-color has-base-background-color wp-block-social-link"><a href="https://github.com/tropicalista" class="wp-block-social-link-anchor"><svg width="24" height="24" viewbox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" focusable="false"><path d="M12,2C6.477,2,2,6.477,2,12c0,4.419,2.865,8.166,6.839,9.489c0.5,0.09,0.682-0.218,0.682-0.484 c0-0.236-0.009-0.866-0.014-1.699c-2.782,0.602-3.369-1.34-3.369-1.34c-0.455-1.157-1.11-1.465-1.11-1.465 c-0.909-0.62,0.069-0.608,0.069-0.608c1.004,0.071,1.532,1.03,1.532,1.03c0.891,1.529,2.341,1.089,2.91,0.833 c0.091-0.647,0.349-1.086,0.635-1.337c-2.22-0.251-4.555-1.111-4.555-4.943c0-1.091,0.39-1.984,1.03-2.682 C6.546,8.54,6.202,7.524,6.746,6.148c0,0,0.84-0.269,2.75,1.025C10.295,6.95,11.15,6.84,12,6.836 c0.85,0.004,1.705,0.114,2.504,0.336c1.909-1.294,2.748-1.025,2.748-1.025c0.546,1.376,0.202,2.394,0.1,2.646 c0.64,0.699,1.026,1.591,1.026,2.682c0,3.841-2.337,4.687-4.565,4.935c0.359,0.307,0.679,0.917,0.679,1.852 c0,1.335-0.012,2.415-0.012,2.741c0,0.269,0.18,0.579,0.688,0.481C19.138,20.161,22,16.416,22,12C22,6.477,17.523,2,12,2z"></path></svg><span class="wp-block-social-link-label screen-reader-text">GitHub</span></a></li> <li style="color: #150E29; background-color: #fff; " class="wp-social-link wp-social-link-youtube has-main-color has-base-background-color wp-block-social-link"><a href="https://www.youtube.com/@tropicalista" class="wp-block-social-link-anchor"><svg width="24" height="24" viewbox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" aria-hidden="true" focusable="false"><path d="M21.8,8.001c0,0-0.195-1.378-0.795-1.985c-0.76-0.797-1.613-0.801-2.004-0.847c-2.799-0.202-6.997-0.202-6.997-0.202 h-0.009c0,0-4.198,0-6.997,0.202C4.608,5.216,3.756,5.22,2.995,6.016C2.395,6.623,2.2,8.001,2.2,8.001S2,9.62,2,11.238v1.517 c0,1.618,0.2,3.237,0.2,3.237s0.195,1.378,0.795,1.985c0.761,0.797,1.76,0.771,2.205,0.855c1.6,0.153,6.8,0.201,6.8,0.201 s4.203-0.006,7.001-0.209c0.391-0.047,1.243-0.051,2.004-0.847c0.6-0.607,0.795-1.985,0.795-1.985s0.2-1.618,0.2-3.237v-1.517 C22,9.62,21.8,8.001,21.8,8.001z M9.935,14.594l-0.001-5.62l5.404,2.82L9.935,14.594z"></path></svg><span class="wp-block-social-link-label screen-reader-text">YouTube</span></a></li></ul> </div> <div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"> <div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-1 wp-block-columns-is-layout-flex"> <div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"> <p style="font-style:normal;font-weight:600">Acerca de</p> <div class="wp-block-group has-main-accent-color has-text-color has-small-font-size has-global-padding is-layout-constrained wp-container-core-group-is-layout-15 wp-block-group-is-layout-constrained"> <p><a href="https://www.francescopepe.com/es/blog/" data-type="page" data-id="34">Blog</a></p> <p><a href="https://www.francescopepe.com/es/tienda/" data-type="page" data-id="987">Plugins</a></p> <p><a href="https://www.francescopepe.com/es/contactos/" data-type="page" data-id="40" rel="nofollow">Contacto</a></p> <p><a href="https://www.francescopepe.com/es/politica-de-cookies-de-la-ue/" data-type="page" data-id="1193" rel="nofollow">Política de cookies</a></p> </div> </div> <div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"> <p style="font-style:normal;font-weight:600">Recursos</p> <div class="wp-block-group has-main-accent-color has-text-color has-small-font-size has-global-padding is-layout-constrained wp-container-core-group-is-layout-16 wp-block-group-is-layout-constrained"> <p><a href="https://www.francescopepe.com/es/salpicadero-2/" data-type="page" data-id="985" rel="nofollow">Cuenta</a></p> <p><a href="https://www.francescopepe.com/es/docs/" data-type="page" data-id="964">Documentación</a></p> <div class="wp-block-buttons is-layout-flex wp-block-buttons-is-layout-flex"> <div class="wp-block-button is-style-fill" style="text-decoration:underline"><a data-popper="1285" class="wp-block-button__link has-main-background-color has-background wp-element-button" href="#" style="padding-top:0;padding-right:0;padding-bottom:0;padding-left:0">Ayuda</a></div> </div> </div> </div> <div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"> <p style="font-style:normal;font-weight:600">Plugins</p> <div class="wp-block-group has-main-accent-color has-text-color has-small-font-size has-global-padding is-layout-constrained wp-container-core-group-is-layout-17 wp-block-group-is-layout-constrained"> <p>Pdf Embed</p> <p>Popper</p> <p>Search Console</p> </div> </div> </div> </div> </div> <hr class="wp-block-separator alignwide has-text-color has-secondary-color has-alpha-channel-opacity has-secondary-background-color has-background is-style-separator-dotted"/> <div class="wp-block-group alignwide is-layout-flow wp-block-group-is-layout-flow"> <div class="wp-block-group has-main-accent-color has-text-color has-link-color wp-elements-45f4c4590d38b59f221116172a248e2a is-content-justification-space-between is-layout-flex wp-container-core-group-is-layout-19 wp-block-group-is-layout-flex"> <p class="has-x-small-font-size">© 2024 - Francesco Pepe</p> <div class="wp-block-group has-x-small-font-size is-nowrap is-layout-flex wp-container-core-group-is-layout-18 wp-block-group-is-layout-flex"> <p>Visita Formello</p> </div> </div> </div> </div> </footer> </div> <template id="tp-language" data-tp-language="es_ES"></template><script id="sc-store-data" type="application/json">{"checkout":{"formId":983,"mode":"test","persist":"browser"}}</script> <sc-cart-loader template='<sc-cart id="sc-cart" header="Carrito" checkout-link="https://www.francescopepe.com/es/checkout/" style="font-size: 16px; --sc-z-index-drawer: 999999; --sc-drawer-size: 500px" > <div style="border-bottom:var(--sc-drawer-border);padding-top:1.25em;padding-bottom:1.25em;padding-left:1.25em;padding-right:1.25em"><sc-cart-header><span>Review Your Cart</span></sc-cart-header></div> <sc-line-items style="border-bottom:var(--sc-drawer-border);padding-top:1.25em;padding-bottom:1.25em;padding-left:1.25em;padding-right:1.25em" removable="true" editable="true"></sc-line-items> <sc-order-coupon-form label="Add Coupon Code" placeholder="Enter coupon code" class="" style="border-bottom:var(--sc-drawer-border);padding-top:1.25em;padding-bottom:1.25em;padding-left:1.25em;padding-right:1.25em" collapsed> Apply </sc-order-coupon-form> <sc-line-item-total total="subtotal" size="large" class="" style="padding-top:1.25em;padding-bottom:0em;padding-left:1.25em;padding-right:1.25em"> <span slot="title">Subtotal</span> </sc-line-item-total> <sc-line-item-bump label="Bundle Discount" class="" style="padding-top:1.25em;padding-bottom:0em;padding-left:1.25em;padding-right:1.25em"></sc-line-item-bump> <div class="wp-block-buttons" style="border-bottom:var(--sc-drawer-border);padding-top:1.25em;padding-bottom:1.25em;padding-left:1.25em;padding-right:1.25em"> <sc-cart-submit class="wp-block-button"> <a href="https://www.francescopepe.com/es/checkout/" class="wp-block-button__link wp-element-button sc-button "> <span data-text>Checkout</span> <sc-spinner data-loader></sc-spinner> </a> </sc-cart-submit> </div> </sc-cart> <sc-cart-icon style="font-size: 16px"> <sc-icon name="shopping-bag"></sc-icon> </sc-cart-icon>'> </sc-cart-loader> <div id="trp-floater-ls" onclick="" data-no-translation class="trp-language-switcher-container trp-floater-ls-names trp-bottom-right trp-color-dark flags-full-names" > <div id="trp-floater-ls-current-language" class="trp-with-flags"> <a href="#" class="trp-floater-ls-disabled-language trp-ls-disabled-language" onclick="event.preventDefault()"> <img class="trp-flag-image" src="https://www.francescopepe.com/wp-content/plugins/translatepress-multilingual/assets/images/flags/es_ES.png" width="18" height="12" alt="es_ES" title="Spanish">Spanish </a> </div> <div id="trp-floater-ls-language-list" class="trp-with-flags" > <div class="trp-language-wrap trp-language-wrap-bottom"> <a href="https://www.francescopepe.com/guida-html/" title="Italian"> <img class="trp-flag-image" src="https://www.francescopepe.com/wp-content/plugins/translatepress-multilingual/assets/images/flags/it_IT.png" width="18" height="12" alt="it_IT" title="Italian">Italian </a> <a href="https://www.francescopepe.com/en/html-guide/" title="English"> <img class="trp-flag-image" src="https://www.francescopepe.com/wp-content/plugins/translatepress-multilingual/assets/images/flags/en_US.png" width="18" height="12" alt="en_US" title="English">English </a> <a href="#" class="trp-floater-ls-disabled-language trp-ls-disabled-language" onclick="event.preventDefault()"><img class="trp-flag-image" src="https://www.francescopepe.com/wp-content/plugins/translatepress-multilingual/assets/images/flags/es_ES.png" width="18" height="12" alt="es_ES" title="Spanish">Spanish</a></div> </div> </div> <!-- Consent Management powered by Complianz | GDPR/CCPA Cookie Consent https://wordpress.org/plugins/complianz-gdpr --> <div id="cmplz-cookiebanner-container"><div class="cmplz-cookiebanner cmplz-hidden banner-1 banner-a optin cmplz-bottom-right cmplz-categories-type-no" aria-modal="true" data-nosnippet="true" role="dialog" aria-live="polite" aria-labelledby="cmplz-header-1-optin" aria-describedby="cmplz-message-1-optin"> <div class="cmplz-header"> <div class="cmplz-logo"><a href="https://www.francescopepe.com/es/" class="custom-logo-link" rel="home"><img width="1250" height="1250" src="https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo.png" class="custom-logo" alt="Francesco Pepe" decoding="async" srcset="https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo.png 1250w, https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo-300x300.png 300w, https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo-1024x1024.png 1024w, https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo-150x150.png 150w, https://www.francescopepe.com/wp-content/uploads/2024/04/fp-logo-768x768.png 768w" sizes="(max-width: 1250px) 100vw, 1250px" /></a></div> <div class="cmplz-title" id="cmplz-header-1-optin">Gestionar el consentimiento</div> <div class="cmplz-close" tabindex="0" role="button" aria-label="Cerrar ventana" data-no-translation-aria-label=""> <svg aria-hidden="true" focusable="false" data-prefix="fas" data-icon="times" class="svg-inline--fa fa-times fa-w-11" role="img" xmlns="http://www.w3.org/2000/svg" viewbox="0 0 352 512"><path fill="currentColor" d="M242.72 256l100.07-100.07c12.28-12.28 12.28-32.19 0-44.48l-22.24-22.24c-12.28-12.28-32.19-12.28-44.48 0L176 189.28 75.93 89.21c-12.28-12.28-32.19-12.28-44.48 0L9.21 111.45c-12.28 12.28-12.28 32.19 0 44.48L109.28 256 9.21 356.07c-12.28 12.28-12.28 32.19 0 44.48l22.24 22.24c12.28 12.28 32.2 12.28 44.48 0L176 322.72l100.07 100.07c12.28 12.28 32.2 12.28 44.48 0l22.24-22.24c12.28-12.28 12.28-32.19 0-44.48L242.72 256z"></path></svg> </div> </div> <div class="cmplz-divider cmplz-divider-header"></div> <div class="cmplz-body"> <div class="cmplz-message" id="cmplz-message-1-optin">Para proporcionar la mejor experiencia, utilizamos tecnologías como las cookies para almacenar y/o acceder a la información del dispositivo. El consentimiento a estas tecnologías nos permitirá procesar datos como el comportamiento de navegación o los identificadores únicos en este sitio. No consentir o retirar el consentimiento puede afectar negativamente a determinadas características y funciones.</div> <!-- categories start --> <div class="cmplz-categories"> <details class="cmplz-category cmplz-functional" > <summary> <span class="cmplz-category-header"> <span class="cmplz-category-title">Funcional</span> <span class='cmplz-always-active'> <span class="cmplz-banner-checkbox"> <input type="checkbox" id="cmplz-functional-optin" data-category="cmplz_functional" class="cmplz-consent-checkbox cmplz-functional" size="40" value="1"/> <label class="cmplz-label" for="cmplz-functional-optin" tabindex="0"><span class="screen-reader-text">Funcional</span></label> </span> Siempre activo </span> <span class="cmplz-icon cmplz-open"> <svg xmlns="http://www.w3.org/2000/svg" viewbox="0 0 448 512" height="18" ><path d="M224 416c-8.188 0-16.38-3.125-22.62-9.375l-192-192c-12.5-12.5-12.5-32.75 0-45.25s32.75-12.5 45.25 0L224 338.8l169.4-169.4c12.5-12.5 32.75-12.5 45.25 0s12.5 32.75 0 45.25l-192 192C240.4 412.9 232.2 416 224 416z"/></svg> </span> </span> </summary> <div class="cmplz-description"> <span class="cmplz-description-functional">El almacenamiento o acceso técnico es estrictamente necesario para el fin legítimo de permitir el uso de un servicio específico solicitado explícitamente por el abonado o usuario, o con el único fin de llevar a cabo la transmisión de una comunicación a través de una red de comunicaciones electrónicas.</span> </div> </details> <details class="cmplz-category cmplz-preferences" > <summary> <span class="cmplz-category-header"> <span class="cmplz-category-title">Preferencias</span> <span class="cmplz-banner-checkbox"> <input type="checkbox" id="cmplz-preferences-optin" data-category="cmplz_preferences" class="cmplz-consent-checkbox cmplz-preferences" size="40" value="1"/> <label class="cmplz-label" for="cmplz-preferences-optin" tabindex="0"><span class="screen-reader-text">Preferencias</span></label> </span> <span class="cmplz-icon cmplz-open"> <svg xmlns="http://www.w3.org/2000/svg" viewbox="0 0 448 512" height="18" ><path d="M224 416c-8.188 0-16.38-3.125-22.62-9.375l-192-192c-12.5-12.5-12.5-32.75 0-45.25s32.75-12.5 45.25 0L224 338.8l169.4-169.4c12.5-12.5 32.75-12.5 45.25 0s12.5 32.75 0 45.25l-192 192C240.4 412.9 232.2 416 224 416z"/></svg> </span> </span> </summary> <div class="cmplz-description"> <span class="cmplz-description-preferences">El almacenamiento o acceso técnico es necesario para el fin legítimo de almacenar preferencias no solicitadas por el abonado o usuario.</span> </div> </details> <details class="cmplz-category cmplz-statistics" > <summary> <span class="cmplz-category-header"> <span class="cmplz-category-title">Estadísticas</span> <span class="cmplz-banner-checkbox"> <input type="checkbox" id="cmplz-statistics-optin" data-category="cmplz_statistics" class="cmplz-consent-checkbox cmplz-statistics" size="40" value="1"/> <label class="cmplz-label" for="cmplz-statistics-optin" tabindex="0"><span class="screen-reader-text">Estadísticas</span></label> </span> <span class="cmplz-icon cmplz-open"> <svg xmlns="http://www.w3.org/2000/svg" viewbox="0 0 448 512" height="18" ><path d="M224 416c-8.188 0-16.38-3.125-22.62-9.375l-192-192c-12.5-12.5-12.5-32.75 0-45.25s32.75-12.5 45.25 0L224 338.8l169.4-169.4c12.5-12.5 32.75-12.5 45.25 0s12.5 32.75 0 45.25l-192 192C240.4 412.9 232.2 416 224 416z"/></svg> </span> </span> </summary> <div class="cmplz-description"> <span class="cmplz-description-statistics">Archivo técnico o acceso que se utiliza exclusivamente con fines estadísticos.</span> <span class="cmplz-description-statistics-anonymous">El almacenamiento o acceso técnico se utiliza únicamente con fines estadísticos anónimos. Sin una citación judicial, el cumplimiento voluntario por parte de su proveedor de servicios de Internet o registros adicionales de terceros, la información almacenada o recuperada únicamente con este fin no puede utilizarse normalmente con fines de identificación.</span> </div> </details> <details class="cmplz-category cmplz-marketing" > <summary> <span class="cmplz-category-header"> <span class="cmplz-category-title">Marketing</span> <span class="cmplz-banner-checkbox"> <input type="checkbox" id="cmplz-marketing-optin" data-category="cmplz_marketing" class="cmplz-consent-checkbox cmplz-marketing" size="40" value="1"/> <label class="cmplz-label" for="cmplz-marketing-optin" tabindex="0"><span class="screen-reader-text">Marketing</span></label> </span> <span class="cmplz-icon cmplz-open"> <svg xmlns="http://www.w3.org/2000/svg" viewbox="0 0 448 512" height="18" ><path d="M224 416c-8.188 0-16.38-3.125-22.62-9.375l-192-192c-12.5-12.5-12.5-32.75 0-45.25s32.75-12.5 45.25 0L224 338.8l169.4-169.4c12.5-12.5 32.75-12.5 45.25 0s12.5 32.75 0 45.25l-192 192C240.4 412.9 232.2 416 224 416z"/></svg> </span> </span> </summary> <div class="cmplz-description"> <span class="cmplz-description-marketing">El almacenamiento o acceso técnico es necesario para crear perfiles de usuario con el fin de enviar publicidad, o para realizar un seguimiento del usuario en uno o varios sitios web con fines de marketing similares.</span> </div> </details> </div><!-- categories end --> </div> <div class="cmplz-links cmplz-information"> <a class="cmplz-link cmplz-manage-options cookie-statement" href="#" data-relative_url="#cmplz-manage-consent-container" data-no-translation="" data-trp-gettext="">Administrar opciones</a> <a class="cmplz-link cmplz-manage-third-parties cookie-statement" href="#" data-relative_url="#cmplz-cookies-overview" data-no-translation="" data-trp-gettext="">Gestionar los servicios</a> <a class="cmplz-link cmplz-manage-vendors tcf cookie-statement" href="#" data-relative_url="#cmplz-tcf-wrapper" data-no-translation="" data-trp-gettext="">Gestionar {cuenta_vendedores} proveedores</a> <a class="cmplz-link cmplz-external cmplz-read-more-purposes tcf" target="_blank" rel="noopener noreferrer nofollow" href="https://cookiedatabase.org/tcf/purposes/" data-no-translation="" data-trp-gettext="">Leer más sobre estos propósitos</a> </div> <div class="cmplz-divider cmplz-footer"></div> <div class="cmplz-buttons"> <button class="cmplz-btn cmplz-accept">Acepte</button> <button class="cmplz-btn cmplz-deny">Nega</button> <button class="cmplz-btn cmplz-view-preferences">Mostrar preferencias</button> <button class="cmplz-btn cmplz-save-preferences">Guardar preferencias</button> <a class="cmplz-btn cmplz-manage-options tcf cookie-statement" href="#" data-relative_url="#cmplz-manage-consent-container">Mostrar preferencias</a> </div> <div class="cmplz-links cmplz-documents"> <a class="cmplz-link cookie-statement" href="#" data-relative_url="">{título}</a> <a class="cmplz-link privacy-statement" href="#" data-relative_url="">{título}</a> <a class="cmplz-link impressum" href="#" data-relative_url="">{título}</a> </div> </div> </div> <div id="cmplz-manage-consent" data-nosnippet="true"><button class="cmplz-btn cmplz-hidden cmplz-manage-consent manage-consent-1">Gestionar el consentimiento</button> </div> <div class="wp-lightbox-overlay zoom" data-wp-interactive="core/image" data-wp-context='{}' data-wp-bind--role="state.roleAttribute" data-wp-bind--aria-label="state.currentImage.ariaLabel" data-wp-bind--aria-modal="state.ariaModal" data-wp-class--active="state.overlayEnabled" data-wp-class--show-closing-animation="state.showClosingAnimation" data-wp-watch="callbacks.setOverlayFocus" data-wp-on--keydown="actions.handleKeydown" data-wp-on-async--touchstart="actions.handleTouchStart" data-wp-on--touchmove="actions.handleTouchMove" data-wp-on-async--touchend="actions.handleTouchEnd" data-wp-on-async--click="actions.hideLightbox" data-wp-on-async-window--resize="callbacks.setOverlayStyles" data-wp-on-async-window--scroll="actions.handleScroll" tabindex="-1" > <button type="button" aria-label="Cerrar" style="fill: var(--wp--preset--color--main)" class="close-button" data-no-translation-aria-label=""> <svg xmlns="http://www.w3.org/2000/svg" viewbox="0 0 24 24" width="20" height="20" aria-hidden="true" focusable="false"><path d="M13 11.8l6.1-6.3-1-1-6.1 6.2-6.1-6.2-1 1 6.1 6.3-6.5 6.7 1 1 6.5-6.6 6.5 6.6 1-1z"></path></svg> </button> <div class="lightbox-image-container"> <figure data-wp-bind--class="state.currentImage.figureClassNames" data-wp-bind--style="state.currentImage.figureStyles"> <img data-wp-bind--alt="state.currentImage.alt" data-wp-bind--class="state.currentImage.imgClassNames" data-wp-bind--style="state.imgStyles" data-wp-bind--src="state.currentImage.currentSrc"> </figure> </div> <div class="lightbox-image-container"> <figure data-wp-bind--class="state.currentImage.figureClassNames" data-wp-bind--style="state.currentImage.figureStyles"> <img data-wp-bind--alt="state.currentImage.alt" data-wp-bind--class="state.currentImage.imgClassNames" data-wp-bind--style="state.imgStyles" data-wp-bind--src="state.enlargedSrc"> </figure> </div> <div class="scrim" style="background-color: var(--wp--preset--color--base)" aria-hidden="true"></div> <style data-wp-text="state.overlayStyles"></style> </div><script src="https://www.francescopepe.com/wp-includes/js/comment-reply.min.js?ver=6.6.2" id="comment-reply-js" async data-wp-strategy="async"></script> <script id="trp-dynamic-translator-js-extra"> var trp_data = {"trp_custom_ajax_url":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/translatepress-multilingual\/includes\/trp-ajax.php","trp_wp_ajax_url":"https:\/\/www.francescopepe.com\/wp-admin\/admin-ajax.php","trp_language_to_query":"es_ES","trp_original_language":"it_IT","trp_current_language":"es_ES","trp_skip_selectors":["[data-no-translation]","[data-no-dynamic-translation]","[data-trp-translate-id-innertext]","script","style","head","trp-span","translate-press","[data-trp-translate-id]","[data-trpgettextoriginal]","[data-trp-post-slug]"],"trp_base_selectors":["data-trp-translate-id","data-trpgettextoriginal","data-trp-post-slug"],"trp_attributes_selectors":{"text":{"accessor":"outertext","attribute":false},"block":{"accessor":"innertext","attribute":false},"image_src":{"selector":"img[src]","accessor":"src","attribute":true},"submit":{"selector":"input[type='submit'],input[type='button'], input[type='reset']","accessor":"value","attribute":true},"placeholder":{"selector":"input[placeholder],textarea[placeholder]","accessor":"placeholder","attribute":true},"title":{"selector":"[title]","accessor":"title","attribute":true},"a_href":{"selector":"a[href]","accessor":"href","attribute":true},"button":{"accessor":"outertext","attribute":false},"option":{"accessor":"innertext","attribute":false},"aria_label":{"selector":"[aria-label]","accessor":"aria-label","attribute":true},"image_alt":{"selector":"img[alt]","accessor":"alt","attribute":true},"meta_desc":{"selector":"meta[name=\"description\"],meta[property=\"og:title\"],meta[property=\"og:description\"],meta[property=\"og:site_name\"],meta[property=\"og:image:alt\"],meta[name=\"twitter:title\"],meta[name=\"twitter:description\"],meta[name=\"twitter:image:alt\"],meta[name=\"DC.Title\"],meta[name=\"DC.Description\"],meta[property=\"article:section\"],meta[property=\"article:tag\"]","accessor":"content","attribute":true},"page_title":{"selector":"title","accessor":"innertext","attribute":false},"meta_desc_img":{"selector":"meta[property=\"og:image\"],meta[property=\"og:image:secure_url\"],meta[name=\"twitter:image\"]","accessor":"content","attribute":true}},"trp_attributes_accessors":["outertext","innertext","src","value","placeholder","title","href","aria-label","alt","content"],"gettranslationsnonceregular":"8e4766dfe0","showdynamiccontentbeforetranslation":"","skip_strings_from_dynamic_translation":[],"skip_strings_from_dynamic_translation_for_substrings":{"href":["amazon-adsystem","googleads","g.doubleclick"]},"duplicate_detections_allowed":"100","trp_translate_numerals_opt":"no","trp_no_auto_translation_selectors":["[data-no-auto-translation]",".wp-block-code"]}; </script> <script src="https://www.francescopepe.com/wp-content/plugins/translatepress-multilingual/assets/js/trp-translate-dom-changes.js?ver=2.8.3" id="trp-dynamic-translator-js"></script> <script id="wp-block-template-skip-link-js-after"> ( function() { var skipLinkTarget = document.querySelector( 'main' ), sibling, skipLinkTargetID, skipLink; // Early exit if a skip-link target can't be located. if ( ! skipLinkTarget ) { return; } /* * Get the site wrapper. * The skip-link will be injected in the beginning of it. */ sibling = document.querySelector( '.wp-site-blocks' ); // Early exit if the root element was not found. if ( ! sibling ) { return; } // Get the skip-link target's ID, and generate one if it doesn't exist. skipLinkTargetID = skipLinkTarget.id; if ( ! skipLinkTargetID ) { skipLinkTargetID = 'wp--skip-link--target'; skipLinkTarget.id = skipLinkTargetID; } // Create the skip link. skipLink = document.createElement( 'a' ); skipLink.classList.add( 'skip-link', 'screen-reader-text' ); skipLink.href = '#' + skipLinkTargetID; skipLink.innerHTML = 'Saltar al contenido'; // Inject the skip link. sibling.parentElement.insertBefore( skipLink, sibling ); }() ); </script> <script id="mkaz-code-syntax-prism-js-js-extra"> var prism_settings = {"pluginUrl":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/code-syntax-block\/"}; </script> <script src="https://www.francescopepe.com/wp-content/plugins/code-syntax-block/assets/prism/prism.js?ver=1715219736" id="mkaz-code-syntax-prism-js-js"></script> <script src="https://www.francescopepe.com/wp-includes/js/dist/hooks.min.js?ver=2810c76e705dd1a53b18" id="wp-hooks-js"></script> <script src="https://www.francescopepe.com/wp-includes/js/dist/i18n.min.js?ver=5e580eb46a90c2b997e6" id="wp-i18n-js"></script> <script id="wp-i18n-js-after"> wp.i18n.setLocaleData( { 'text direction\u0004ltr': [ 'ltr' ] } ); </script> <script src="https://www.francescopepe.com/wp-includes/js/dist/vendor/regenerator-runtime.min.js?ver=0.14.0" id="regenerator-runtime-js"></script> <script id="surecart-components-js-extra"> var surecartComponents = {"url":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart\/dist\/components\/surecart\/surecart.esm.js?ver=1728027405"}; var scData = {"cdn_root":"https:\/\/surecart.com\/cdn-cgi\/image","root_url":"https:\/\/www.francescopepe.com\/es\/wp-json\/","plugin_url":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart","api_url":"https:\/\/api.surecart.com\/v1\/","currency":"eur","theme":"light","pages":{"dashboard":"https:\/\/www.francescopepe.com\/es\/salpicadero-2\/","checkout":"https:\/\/www.francescopepe.com\/es\/checkout\/"},"page_id":"","nonce":"698fb9bfdf","nonce_endpoint":"https:\/\/www.francescopepe.com\/wp-admin\/admin-ajax.php?action=sc-rest-nonce","recaptcha_site_key":"","claim_url":"","admin_url":"https:\/\/www.francescopepe.com\/wp-admin\/","getting_started_url":"https:\/\/www.francescopepe.com\/wp-admin\/admin.php?page=sc-getting-started","user_permissions":{"manage_sc_shop_settings":false},"is_account_connected":"1"}; var scIcons = {"path":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart\/dist\/icon-assets"}; var surecartComponents = {"url":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart\/dist\/components\/surecart\/surecart.esm.js?ver=1728027405"}; var scData = {"cdn_root":"https:\/\/surecart.com\/cdn-cgi\/image","root_url":"https:\/\/www.francescopepe.com\/es\/wp-json\/","plugin_url":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart","api_url":"https:\/\/api.surecart.com\/v1\/","currency":"eur","theme":"light","pages":{"dashboard":"https:\/\/www.francescopepe.com\/es\/salpicadero-2\/","checkout":"https:\/\/www.francescopepe.com\/es\/checkout\/"},"page_id":"1","nonce":"698fb9bfdf","nonce_endpoint":"https:\/\/www.francescopepe.com\/wp-admin\/admin-ajax.php?action=sc-rest-nonce","recaptcha_site_key":"","claim_url":"","admin_url":"https:\/\/www.francescopepe.com\/wp-admin\/","getting_started_url":"https:\/\/www.francescopepe.com\/wp-admin\/admin.php?page=sc-getting-started","user_permissions":{"manage_sc_shop_settings":false},"is_account_connected":"1"}; var scIcons = {"path":"https:\/\/www.francescopepe.com\/wp-content\/plugins\/surecart\/dist\/icon-assets"}; </script> <script id="surecart-components-js-translations"> ( function( domain, translations ) { var localeData = translations.locale_data[ domain ] || translations.locale_data.messages; localeData[""].domain = domain; wp.i18n.setLocaleData( localeData, domain ); } )( "surecart", {"translation-revision-date":"2024-02-22 19:18:13+0000","generator":"GlotPress\/4.0.1","domain":"messages","locale_data":{"messages":{"":{"domain":"messages","plural-forms":"nplurals=2; plural=n != 1;","lang":"es"},"Save and Update Key":[],"Regenerate License Key":[],"Changing the license key will invalidate the current license key.":[],"License Key updated.":[],"Edit License Key":[],"Sent one month before a customer's card expires.":[],"Card Expiration":[],"One or more items in your cart exceed the purchase limit. Please adjust the quantity or remove the item to proceed with the checkout.":[],"One of the items on cart is out of stock. Please review and try again.":[],"One of the items on cart has changed. Please review and try again.":[],"One of the items on cart is no longer available. Please review and try again.":[],"The price of one of the items on cart has changed. Please review and try again.":[],"One or more items in your cart is no longer available. Please update your cart and try again.":[],"Exceeds purchase limit":[],"Out of stock":[],"Item no longer available":[],"Options no longer available":[],"Price has changed":[],"No longer available":[],"When enabled, this setting prevents customers from receiving multiple trial periods for the same product. If a customer has previously used a trial for the product, they will be charged the full price instead of receiving another trial.":[],"Prevent Duplicate Trials":[],"Edit Upsell":[],"Edit License":[],"block title\u0004Address":[],"Trial Label":[],"Billing Address Label":[],"Billing Address Toggle":[],"If enabled, the user can enter a separate billing address. Otherwise, the billing address will be the same as the shipping address.":[],"Collect Billing Address":[],"Shipping Address Label":[],"Add Trial":[],"Trial Ends":[],"Use Current Version":[],"Previous Price Version":[],"Apply a credit of unused time from the current billing period.":[],"Immediately updates the subscription to this new price, instead of waiting until renewal.":[],"Price Change:":[],"Are you sure you want to update this subscription to use the current price? This will update this users subscription to use the current price.":[],"Confirm Price Change":[],"When enabled, customers are allowed to remove their default payment method on file. This can lead to subscription payments failing since there is no payment method on file.":[],"Allow Customers To Remove Default Payment Method":[],"Affiliation Product":[],"This setting will overwrite any global or individual affiliate commissions for this product.":[],"Custom product affiliate settings":[],"Custom Affiliate Commission":[],"Shipping Address Updated":[],"Shipping Address Deleted":[],"Add Billing Address":[],"Update Billing Address":[],"Billing Address Updated":[],"Delete Billing Address":[],"Billing address deleted":[],"Are you sure? This cannot be undone.":[],"This setting will overwrite any global affiliate settings.":[],"Custom affiliate commissions":[],"Add a custom commission for this affiliate.":[],"Affiliate commission added.":[],"Affiliate commission updated.":[],"Edit Commission":[],"Custom Commission":[],"Affiliate commission deleted.":[],"Individual Affiliate Product Commissions (Highest)":[],"Individual Product Commissions":[],"Individual Affiliate Commissions":[],"Global Affiliate Commissions (Lowest)":[],"This setting will overwrite any other comission settings for the affiliate and product.":[],"Affiliate product commissions":[],"New Product Commission":[],"Edit Product Commission":[],"Add Commission":[],"Add a product-specific commission for this affiliate.":[],"Lifetime Commission":[],"Subscription Commission":[],"Product Commissions":[],"Affiliate product commission updated.":[],"Affiliate product commission created.":[],"Affiliate product deleted.":[],"Affiliate commission already exists for this product. Please choose a different product.":[],"%d Day":[],"Let customers use this manual payment method for purchasing subscriptions, installments or upsells.":[],"Reusable":[],"Set the default limit for unique activations per license key, applying to all prices. Specify at the price level to override. Leave blank for unlimited activations.":[],"Specify the maximum number of unique activations allowed per license key for this pricing option. If left blank, the default limit set for the product will apply.":[],"License activation limit":[],"The maximum number of unique activations allowed per license key for this price.":[],"Custom license activation limit":[],"When turned on, customers cannot choose this price in the update plans section of the customer dashboard.":[],"Exclude from upgrade options":[],"Minimum commission amount":[],"The minimum amount of commission that must be earned by an affiliate to be included in this payout batch.":[],"Create New Payout Batch":[],"Could not create payout batch. Please try again.":[],"Payout Batch":[],"Payout Groups":[],"No affiliates have earned more than the minimum commission amount within the selected date range.":[],"Display the checkout content unless a custom template has been applied.":[],"Template name\u0004Checkout":[],"Template name\u0004SureCart Checkout":[],"In Payout":[],"Payout Date":[],"Payout Status":[],"Cancel Now":[],"Are you sure you want to cancel this subscription?":[],"Update Price":[],"Edit Price":[],"More Options":[],"Price added.":[],"Charge the setup fee during the free trial period.":[],"Paid trial":[],"Trial Days":[],"Offer a trial period before charging the first payment.":[],"Charge an initial fee or offer a discount for the first payment.":[],"Access ends after the number of days you set. Integrations and licenses will deactivate automatically.":[],"Allow customers to pay any amount they want, ideal for donations or perceived value they place on your cause or service.":[],"Automatically revoke access to integrations and licenses after all payments are completed.":[],"Enable a test processor (in test mode only)":[],"Test Processor":[],"Maximum order subtotal":[],"No Maximum":[],"The maximum order subtotal amount required to apply this coupon.":[],"This discount is not redeemable.":[],"Product deleted.":[],"There is no checkout form block on this page.":[],"Invalid request.":[],"Are you sure you want to change this form to %1$s? \n\nThis will change the form to %2$s for EVERYONE, and %3$s cart contents will be used - your cart contents may not transfer.":[],"test mode":[],"live mode":[],"Live Mode":[],"Fallback Tax Rate":[],"If enabled, the tax amount will be included in the product price and shipping rates for all products.":[],"Tax Included":[],"Please specify a tax rate for %s, as it requires manual entry":[],"Edit Settings":[],"Tax is included in prices":[],"Could not create export. Please try again.":[],"Could not create payout. Please try again.":[],"Completed":[],"Commission On This Subscription":[],"Affiliate commissions updated.":[],"Referral":[],"Affiliations":[],"Affiliation Request":[],"Whether or not to create a referral from a checkout when the resulting referral has a commission of zero. This is useful for tracking referrals that do not have a commission, such as when a customer uses a coupon code.":[],"Zero Commission Referrals":[],"Commissions On All Purchases":[],"Select a customer to limit this promotion to.":[],"Select an affiliate to link this promotion to.":[],"Link to Affiliate":[],"Referral Items":[],"View Coupon":[],"Update Commission Expiration":[],"Affiliate Commissions":[],"This will give the affiliate commissions for a specified period of time.":[],"Select an affiliate":[],"Connect an affiliate":[],"Remove Limit":[],"Until":[],"Are you sure you want to deactivate the affiliate?":[],"Are you sure you want to activate the affiliate?":[],"Affiliate user deactivated.":[],"Affiliate user activated.":[],"Affiliate updated.":[],"Referral Url":[],"No more promotions.":[],"No more payouts.":[],"Referral Code":[],"Profile":[],"No more clicks.":[],"A short blurb from this affiliate describing how they will promote this store.":[],"Bio":[],"Your affiliate request's payout email address.":[],"Your affiliate request's email address.":[],"Your affiliate request's last name.":[],"Your affiliate request's first name.":[],"Affiliate Request Details":[],"Permanently delete this affiliate request? You cannot undo this action.":[],"Are you sure to deny this affiliate request?":[],"Are you sure to approve affiliate request?":[],"Affiliate Request":[],"Affiliate request rejected.":[],"Affiliate request approved.":[],"Affiliate request updated.":[],"Create New Affiliate Request":[],"Creation Mode":[],"No more referrals.":[],"Not associated to any payout.":[],"Not associated to any order.":[],"Order Number":[],"Referral Details":[],"Expires on":[],"Domain":[],"Not associated to any click.":[],"View Referral":[],"Affiliate referral marked as reviewing.":[],"Referral updated.":[],"A brief description of what this referral is for.":[],"Commission Amount":[],"Create New Referral":[],"Export":[],"We will send you an email with a link to your export when it is ready.":[],"Create New Payout":[],"Are you sure you want to delete this referral? This action cannot be undone.":[],"Test mode referrals are created when an order is placed in test mode and an affiliate is associated with the order. These referrals do not impact stats, are not included in payouts, and are not visible to affiliates. They are solely for testing your affiliate setup and can be deleted or ignored.":[],"What are test mode referrals?":[],"Payouts":[],"Requests":[],"The affiliate request's email is already in use.":[],"The affiliate request's bio cannot be blank.":[],"The affiliate request's email cannot be blank.":[],"The affiliate request's name cannot be blank.":[],"There are no applicable referrals for this payout.":[],"Cancelled":[],"Toggle Affiliate active status":[],"Are you sure you want to activate this affiliate?":[],"Are you sure you want to deactivate this affilate?":[],"Deactivate":[],"View Affiliate":[],"No affiliates found.":[],"Unpaid Earnings":[],"Total Earnings":[],"Affiliation deactivated successfully.":[],"Affiliation activated successfully.":[],"No affiliate requests found.":[],"Affiliate Requests":[],"Denied":[],"Approved":[],"Reviewing":[],"No affiliate referrals found . ":[],"Make Reviewing":[],"Deny":[],"Commission":[],"Affiliate referral is now in review.":[],"Affiliate referral deleted.":[],"Affiliate referral denied.":[],"Affiliate referral approved.":[],"Affiliate Referrals":[],"No affiliate payouts found.":[],"Make Processing":[],"Referrals":[],"Period End":[],"Payout Email":[],"Affiliate payout deleted.":[],"Affiliate payout marked completed.":[],"Affiliate payout marked processing.":[],"Export Payouts":[],"Affiliate Payouts":[],"Not Converted":[],"No affiliate clicks found.":[],"Converted":[],"Affiliate":[],"Referring URL":[],"Landing URL":[],"Clicks":[],"Note: This option is sometimes enabled by the theme. If it is already enabled by the theme, then this setting won't have any effect.":[],"Enabling this option will load block assets only when they are rendered. This will happen for ALL blocks on your website, not just SureCart blocks. Please check your pages after you enable this option in a private browser window as this might change the CSS load order.":[],"On Demand Block Assets":[],"Are you sure you want to permanently delete this product? This cannot be undone.":[],"Delete Products":[],"The minimum order amount for the processor is %s.":[],"Queued for deletion.":[],"Successfully deleted.":[],"Delete Product":[],"This product has already been deleted.":[],"SureCart bulk action progress status.":[],"Bulk Action Summary:":[],"%1$d %2$s":[],"Your storage limit has been reached. Please remove some media items before adding more.":[],"Limit tax types":[],"Tax types":[],"Help Text":[],"Don't show if ever purchased, including the current order.":[],"Don't show if already being purchased in the current order.":[],"Tax Override":[],"create a new one":[],"Select an existing collection or ":[],"Add a custom sales tax rate for a collection of products.":[],"Add a custom tax rate for shipping.":[],"You've already added an override for each region where you collect sales tax. You can edit or delete an existing override.":[],"Add product tax override":[],"Edit override for %1$s collection in %2$s":[],"Add shipping tax override":[],"Edit shipping override for %s":[],"Add Override":[],"Specify a unique tax rate for a collection of products.":[],"Specify a unique tax rate for shipping charges.":[],"Please enable tax collection to add tax overrides.":[],"Product Overrides":[],"Shipping Overrides":[],"If you remove this override, then you'll charge the standard tax rate for this collection in %s.":[],"If you remove this override, then you'll charge the standard tax rate for shipping in %s.":[],"Remove override for %1$s collection in %2$s":[],"Remove shipping override for %s":[],"You can specify unique tax rates for a collection of products or on shipping charges.":[],"Tax Rate Overrides":[],"Account seeded successfully.":[],"Email is required to seed an account.":[],"1 of 2 Activations Used":[],"block description\u0004Display upsell totals.":["Mostrar totales del upsell."],"block title\u0004Upsell Totals":["Totales de la oferta upsell"],"block keyword\u0004container":[],"block description\u0004Display an upsell.":["Mostrar oferta upsell."],"block title\u0004Upsell":["Upsell"],"block keyword\u0004cta":[],"block description\u0004Displays the title.":[],"block title\u0004Upsell Title":["T\u00edtulo de la oferta upsell"],"block keyword\u0004order":[],"block description\u0004Display an upsell submit button.":["Mostrar un bot\u00f3n para aceptar la oferta upsell."],"block title\u0004Upsell Submit Button":["Bot\u00f3n para aceptar upsell"],"block keyword\u0004upsell":["upsell"],"block keyword\u0004decline":[],"block keyword\u0004thanks":[],"block keyword\u0004no":[],"block description\u0004Display a upsell decline button.":["Mostrar un bot\u00f3n para rechazar la oferta upsell."],"block title\u0004Decline Upsell Button":["Bot\u00f3n de rechazar oferta upsell"],"block description\u0004Display a countdown timer for upsell, encouraging customers to take action before the offer expires.":["Mostrar una cuenta atr\u00e1s para la oferta upsell, animando a los clientes a tomar acci\u00f3n antes de que caduque."],"block title\u0004Countdown Timer":[],"block keyword\u0004license":[],"block description\u0004Displays the customer's licenses.":[],"block title\u0004Customer Licenses":[],"Totals":["Totales"],"Upsell Call to Action Title":[],"Offer Expires in":["La oferta caduca en"],"Offer Expire text":["Texto de expiraci\u00f3n de oferta"],"Show clock icon":["Mostrar icono de reloj"],"Offer expires in":["La oferta caduca en"],"Offer expires label":["Etiqueta de caducidad de la oferta"],"This will be displayed if there is a compare at price, or an upsell discount.":[],"Not Activated":["Sin activar"],"Delete offer":["Borrar oferta"],"Preview upsell":["Previsualizar upsell"],"Edit offer":["Editar oferta"],"Create Offer":["Crear oferta"],"Update Offer":["Actualizar oferta"],"I.E. Bundle Discount":[],"Statement label":[],"i.e. An exclusive offer, just for you.":["ejemplo: Una oferta exclusiva, s\u00f3lo para ti."],"This is shown on the upsell page.":["Esto se muestra en la p\u00e1gina de oferta upsell."],"%1s %2s":["%1s %2s"],"Decline Offer":["Rechazar oferta"],"Accept Offer":["Aceptar oferta"],"Initial Offer":["Oferta inicial"],"Skip if purchased":["Ignorar si ya se ha comprado"],"Skip if in order":["Ignorar si ya est\u00e1 en el pedido"],"Show regardless of past purchases.":["Mostrar sin importar las compras pasadas."],"Always show":["Mostrar siempre"],"Discount amount":["Cantidad de descuento"],"Percentage off":["Porcentaje de descuento"],"Fixed amount discount":["Descuento de cantidad fija"],"Percentage discount":["Porcentaje de descuento"],"No discount":["Sin descuento"],"This is the price for the upsell.":["Este es el precio del upsell."],"Upsell Price":["Precio del upsell"],"Are you sure? This action cannot be undone.":["Est\u00e1s seguro? Esta acci\u00f3n no puede deshacerse"],"if declined":["si se rechaza"],"(Optional)":["(Opcional)"],"Downsell Offer":["Oferta downsell"],"if accepted":["si se acepta"],"Upsell Offer #2":["Oferta upsell 2"],"Upsell Offer #1":["Oferta upsell 1"],"Post Purchase Offer":["Oferta postcompra"],"Offer":["Oferta"],"Internal upsell funnel name. This is not visible to customers.":["Nombre interno para el embudo. No lo ven los clientes."],"Add some conditions to display this upsell funnel.":["A\u00f1ade condiciones para que se muestre este embudo upsell."],"Show Upsell Offer If":["Mostrar oferta upsell si"],"Select conditions to show this upsell.":["Elige las condiciones para mostrar esta oferta upsell."],"Specific purchases":["Compras espec\u00edficas"],"Show this upsell offer on all purchases.":["Mostrar esta oferta upsell en todas las compras."],"All purchases":["Todas las compras"],"Archive this upsell? All unsaved changes will be lost.":["Archivar este upsell? Todos los cambios sin guardar\u00e1n se perder\u00e1n."],"Un-Archive this upsell?":[],"Save Funnel":["Guardar embudo"],"Funnel Inactive":["Embudo inactivo"],"Funnel Active":["Embudo activo"],"Upsell funnel restored.":["Embudo upsell restaurado."],"Upsell funnel archived.":["Embudo upsell archivado."],"Upsell deleted.":["Oferta upsell eliminada."],"Permanently delete this upsell? You cannot undo this action.":[],"Upsell funnel saved.":["Embudo upsell guardado."],"Internal upsell funnel name. This is NOT visible to customers.":["Nombre interno para el embudo. No lo ver\u00e1n los clientes."],"Create New Upsell Funnel":["Crear nuevo embudo upsell"],"Upsell Page Title":["T\u00edtulo de la p\u00e1gina de la oferta upsell"],"Previous page":["P\u00e1gina anterior"],"Affiliation Protocol":["Protocolo de afiliaci\u00f3n"],"Upsell Funnel":["Embudo upsell"],"Upsell":["Oferta upsell"],"Minutes":["Minutos"],"The number of minutes that the upsell offer will be available for after the initial purchase.":[],"Time Limit":["L\u00edmite de tiempo"],"Upsell behavior settings.":[],"Post Purchase Offer Accepted":["Oferta postcompra aceptada"],"Sent after an order is placed.":["Enviado cuando se hace un pedido."],"Sent when a post purchase offer is accepted and the order is updated.":["Se env\u00eda cuando una oferta posterior a la compra es aceptada y el pedido es actualizado."],"Post Purchase Offer Accepted Emails":["Emails de aceptaci\u00f3n de oferta postcompra"],"Let affiliates know how they will be paid, how often, and any terms or conditions for payment. These details will be shown to affiliates so they know what to expect.":["Explica a los afiliados c\u00f3mo van a ser pagados, la frecuencia y las condiciones. Estos detalles se mostrar\u00e1n a los afiliados para que sepan qu\u00e9 esperar del programa."],"Payout Instructions":["Instrucciones de pago"],"For how long should future purchase commissions be awarded? (Leave empty if you want to award commission forever.)":[],"Lifetime Commission Duration":["Duraci\u00f3n de la comisi\u00f3n perpetua"],"Do you want to award commissions on future purchases?":["Quieres permitir generar comisiones en compras futuras?"],"Lifetime Commissions":["Comisi\u00f3n perpetua"],"For how long should subscription commissions be awarded? (Leave empty if you want to award commissions forever.)":[],"Subscription Commission Duration":["Duraci\u00f3n de la comisi\u00f3n para suscripciones"],"Do you want to award commissions on subscription renewal payments?":["Quieres permitir generar comisiones en los pagos de renovaci\u00f3n de las suscripciones?"],"Subscription Commissions":[],"Amount Commission":["Cantidad de comisi\u00f3n"],"Percent Commission":["Porcentaje de comisi\u00f3n"],"Select a commission type":["Elige un tipo de comisi\u00f3n"],"Configure how affiliates earn commissions and how they get paid.":["Configura c\u00f3mo ganan comisiones y son pagados los afiliados."],"Commissions & Payouts":["Comisiones y pagos"],"Where should affiliates send their traffic? This URL will be used to generate the affiliate referral link for each affiliate with their unique affiliate code.":["D\u00f3nde deben enviar los afiliados el tr\u00e1fico? Esta URL se usar\u00e1 para generar los links de referido para cada afiliado con su c\u00f3digo \u00fanico de afiliaci\u00f3n."],"Affiliate Referral URL":["URL de referidos para el afiliado"],"Do you want to automatically approve new referrals? If disabled, you will need to manually approve each referral.":["Quieres aprobar autom\u00e1ticamente los nuevos referidos? Si est\u00e1 desactivado tendr\u00e1s que aprobar manualmente cada referido."],"Auto Approve New Referrals":["Aprobar autom\u00e1ticamente nuevos referidos"],"How many days should the tracking code last for?":["Cuantos d\u00edas debe durar el c\u00f3digo de seguimiento?"],"Tracking Length":["Duraci\u00f3n del seguimiento"],"Should the first or last referrer be credited?":["Se considera v\u00e1lido el primer o el \u00faltimo referido?"],"Referrer Type":["Tipo de referido"],"Last":["\u00daltimo"],"First":["Primero"],"Copy and paste the tracking code into the <head> section or just before the closing <\/body> tag of your website. Ensure this is only added to sites that don't already have the script included via the WordPress plugin.":[],"Tracking Script":[],"Want to add tracking to a different site?":["Quieres a\u00f1adir un seguimiento a otra web?"],"Track affiliate referrals on this site.":["Seguir a los referidos de los afiliados en esta web."],"Tracking":["Seguimiento"],"Configure how clicks are tracked and how referrals are credited to affiliates.":[],"Referral Tracking":["Seguimiento de referidos"],"This is where you will send affiliates to signup for your affiliate program.":["Aqu\u00ed es donde enviar\u00e1s a tus afiliados para registrarse en el programa."],"Signup URL":["URL de registro"],"Do you want to automatically approve new affiliate signups? If disabled, you will need to manually approve each affiliate signup.":["Quieres aprobar autom\u00e1ticamente las nuevas altas de afiliados? Si est\u00e1 desactivado tendr\u00e1s que aprobar manualmente a cada afiliado."],"Auto Approve New Affiliates":["Aprobar autom\u00e1ticamente nuevos afiliados"],"Do you want to include the payout email field on the signup form?":["Quieres incluir el campo de email de pago en el formulario de registro?"],"Payout Email Field on Signup":["Campo de email de pago en el registro"],"Where can affiliates find the terms and conditions for your affiliate program? If provided, this URL will be shown to affiliates when they sign up for your affiliate program.":["D\u00f3nde pueden encontrar tus afiliados los t\u00e9rminos del programa? Si se rellena, esta URL se mostrar\u00e1 a los afiliados cuando se est\u00e9n registrando en el programa."],"Affiliate Terms URL":["URL de los t\u00e9rminos del afiliado"],"How will you promote this store?":["C\u00f3mo vas a promocionar esta tienda?"],"What question do you want to ask affiliates on the signup form? If blank, the default question \"How will you promote this store?\" will be used.":["Qu\u00e9 pregunta quieres hacer a los afiliados cuando se registran? Si se deja en blanco se mostrar\u00e1 por defecto \u201cC\u00f3mo vas a promocionar esta tienda?\u201d"],"Signup Question":["Pregunta de registro"],"Let affiliates know any specifics about your program and what to expect from being an affiliate. This is shown to affiliates when they sign up for your affiliate program.":["Permite a tus afiliados saber detalles sobre tu programa de afiliaci\u00f3n. Esto se muestra a los afiliados cuando se registran para tu programa de afiliaci\u00f3n."],"Program Description":["Descripci\u00f3n del programa"],"Do you want to allow new affiliates to sign up?":["Quieres permitir que se registren nuevos afiliados?"],"Allow New Affiliate Signups":["Permitir nuevas altas de afiliado"],"Configure how affiliates signup and get approved to promote products in your store.":["Configura c\u00f3mo se dan de alta y son aprobados los afiliados para promocionar tus productos."],"Affiliate Signups":["Inscripciones de afiliados"],"Affiliates Settings":["Ajustes de afiliados"],"Start With Demo Products":["Empezar con productos de ejemplo"],"Test your checkout":["Prueba tu checkout"],"Place a test order to experience the payment flow.":["Haz un pedido de prueba para experimentar todo el proceso de pago."],"Experience":["Experimentar"],"Create a product":["Crear un producto"],"Create your first product to start selling to buyers.":["Crea tu primer producto para empezar a vender."],"Connect payment":["Conectar pagos"],"Connect to a payment gateway to start taking orders.":["Conecta un procesador de pagos para empezar a aceptar pedidos."],"Connect payments":["Conectar pagos"],"Connect":["Conectar"],"High":["Alta"],"Low":["Baja"],"Affiliates":["Afiliados"],"Payment method not found.":["M\u00e9todo de pago no encontrado."],"You do not have permission to edit this subscription.":["No tienes permiso para editar esta suscripci\u00f3n."],"Wait! Here's an exclusive offer for you.":["Espera! Tenemos una oferta exclusiva para ti."],"Template used for specific single SureCart upsell pages.":[],"Upsell: %s":["Upsell: %s"],"SureCart Upsell updated.":[],"SureCart Upsell scheduled.":[],"SureCart Upsell reverted to draft.":[],"SureCart Upsell published privately.":[],"SureCart Upsell published.":[],"SureCart Upsells list":[],"SureCart Upsells list navigation":[],"Search SureCart Upsells":[],"All SureCart Upsells":[],"View SureCart Upsell":[],"Edit SureCart Upsell":[],"New SureCart Upsell":[],"Add new SureCart Upsell":[],"SureCart Upsell\u0004Add New":[],"post type singular name\u0004SureCart Upsell":[],"post type general name\u0004SureCart Upsells":[],"Upsells":["Ofertas upsell"],"Please select an initial upsell offer.":[],"This upsell has expired.":["Esta oferta ha caducado."],"This upsell has already been applied.":["Esta oferta ya se ha aplicado."],"Tunisian Dinar":["Dinar tunecino"],"Display all individual upsells content unless a custom template has been applied.":[],"Display all individual upsells unless a custom template has been applied.":[],"Template name\u0004Upsells":["Ofertas upsell"],"upsell-page-slug\u0004offer":["Oferta"],"Special Offer":["Oferta especial"],"If you like, you may enter custom structures for your upsell URLs here. For example, using <code>offers<\/code> would make your upsell's links like <code>%soffers\/upsell-id\/<\/code>.":[],"SureCart Upsell Permalinks":[],"Where this upsell falls in position within the upsell funnel \u2013 can be one of initial, accepted, or declined.":[],"Percent that will be taken off line items associated with this upsell.":[],"The description for this upsell which will be visible to customers.":[],"How to handle duplicate purchases of the product \u2013 can be one of allow, block_within_checkout, or block.":[],"Amount (in the currency of the price) that will be taken off line items associated with this upsell.":["Cantidad (en la divisa del precio) que se descontar\u00e1 de los art\u00edculos asociados con este upsell."],"Type of object (upsell)":[],"The priority of this upsell in relation to other upsells. Must be in the range of 1 - 5.":["La prioridad de esta oferta upsell en relaci\u00f3n con otras. Debe estar entre 1 y 5."],"Whether or not this upsell is currently enabled and being shown to customers.":[],"The products to filter this upsell funnel by.":[],"The prices to filter this upsell funnel by.":[],"The matching strategy to use when filtering upsell funnels \u2013 can be null or one of all, any, none. If null, the upsell funnel will not be filtered and will be applicable to all checkouts.":[],"Type of object (upsell_funnel)":[],"This is shown to the customer on invoices and line items.":["Se muestra al cliente en las facturas y art\u00edculos del pedido."],"You do not have permission to access this page.":["No tienes permiso para acceder a esta p\u00e1gina."],"Edit Upsell Funnel":["Editar el embudo upsell"],"No upsell funnels found.":["No se han encontrado embudos upsell."],"Funnel disabled.":["Embudo deshabilitado."],"Funnel enabled.":["Embudo habilitado."],"View Upsell":["Ver upsell"],"Upsell Funnels":["Embudos de upsellls"],"Success & Redirecting":[],"contact support.":["contactar con soporte."],"This option is locked after live orders are placed. To change your store currency, please":[],"Save & Publish":["Guardar y publicar"],"Setup discount":[],"days":["d\u00edas"],"Expiring access will revoke integrations and licenses.":["Revocar el acceso tambi\u00e9n revocar\u00e1 integraciones y licencias."],"Expire access after":["Revocar acceso despu\u00e9s de"],"Expire access":["Revocar acceso"],"Maximum price":["Precio m\u00e1ximo"],"Minimum price":["Precio m\u00ednimo"],"Store Currency":["Divisa de la tienda"],"Cancellation Reasons":["Motivos de cancelaci\u00f3n"],"This page is important for certain SureCart eCommerce features. Bringing back this page will make sure SureCart works as expected.":[],"Ghanaian Cedi":["Cedi ghan\u00e9s"],"Unable to restore page. Please try again.":[],"Invalid page selected. Please choose the correct page to restore.":[],"The slide-out cart template.":[],"Template name\u0004SureCart Cart":[],"Setup fee or discount":["Crear descuento o tarifa"],"Product: %s":["Producto: %s"],"Product Price":["Precio del producto"],"block title\u0004Product Buy Buttons":["Botones de compra de producto"],"Please select an available option.":["Por favor selecciona una opci\u00f3n disponible."],"Persist Across Pages":[],"Form Cart Settings":[],"Describe the template, e.g. \"Mens T-Shirt Template\". A custom template can be manually applied to any collection archive.":[],"Custom thank you page":["P\u00e1gina de agradecimiento personalizada"],"Template name\u0004Cart":[],"Allow the cart for this form to persist across page views instead using the chosen products each page view.":[],"%s name":[],"to":[],"Out Of Stock":["Fuera de stock"],"block style label\u0004Outline":[],"block style label\u0004Fill":[],"Button width":["Ancho del bot\u00f3n"],"Width settings":["Ajustes de anchura"],"Error:":["Error:"],"Could not create referral. Please try again.":[],"Theme Layout":[],"Are you sure you want to leave this page?":["\u00bfSeguro que quieres abandonar esta p\u00e1gina?"],"Complete":[],"Qty:":["Cant.:"],"Success":[],"Close":[],"No Thanks":["No, gracias"],"Choose Product":["Elegir producto"],"Add A Title\u2026":["A\u00f1ade un t\u00edtulo\u2026"],"Payout":[],"0 of 2 Activations Used":["0 de 2 activaciones usadas"],"block description\u0004Displays a selector for selecting product prices and\/or variants.":[],"block title\u0004Product Options Selector":[],"block description\u0004Display the session totals.":["Muestra los totales de la sesi\u00f3n."],"block title\u0004Totals":["Totales"],"block description\u0004Displays the total line item.":["Muestra el total de l\u00edneas de art\u00edculos."],"block title\u0004Total":["Total"],"block keyword\u0004textarea":["\u00e1rea de texto"],"block description\u0004Displays a form text textarea field. This is saved with the order as additional metadata.":["Muestra un campo de \u00e1rea de texto de texto del formulario. Esto se guarda con el pedido como metadatos adicionales."],"block title\u0004Textarea":["\u00c1rea de texto"],"block description\u0004Displays the order tax. (if there is tax)":["Muestra el impuesto del pedido. (si hay impuestos)"],"block title\u0004Tax Line Item":["\u00cdtem de l\u00ednea de impuestos"],"block keyword\u0004summary":["resumen"],"block keyword\u0004totals":["totales"],"block description\u0004Display a VAT\/GST field for VAT collection.":["Muestre un campo de IVA\/GST para la recaudaci\u00f3n de IVA."],"block title\u0004VAT or Tax ID Input":["N\u00famero de IVA o identificaci\u00f3n fiscal"],"block description\u0004Display a toggle switch.":["Mostrar un switch."],"block title\u0004Switch":["Cambiar"],"block description\u0004Display a subtotal line item.":["Muestra una l\u00ednea de subtotal."],"block title\u0004Subtotal Line Item":["Elemento de l\u00ednea de subtotal"],"block description\u0004Display a submit button.":["Mostrar un bot\u00f3n de env\u00edo."],"block title\u0004Submit Button":["Bot\u00f3n de enviar"],"block keyword\u0004store logo":["logo de la tienda"],"block keyword\u0004logo":["logo"],"block description\u0004Display the store logo.":["Mostrar el logo de la tienda."],"block title\u0004Store Logo":["Logo de la tienda"],"block description\u0004Display the list of shipping choices":[],"block title\u0004Shipping Choices":[],"block keyword\u0004meta":["meta"],"block description\u0004Display information for a specific session.":["Mostrar informaci\u00f3n de una sesi\u00f3n concreta."],"block title\u0004Session Info":["Informaci\u00f3n de la sesi\u00f3n"],"block keyword\u0004radio-group":["grupo de selector de radio"],"block keyword\u0004select":["seleccionar"],"block description\u0004Display a radio select input. This is saved with the order as additional metadata.":["Muestra una entrada de selecci\u00f3n de radio. Esto se guarda con el pedido como metadatos adicionales."],"block title\u0004Radio Select":["Selector de radio"],"block keyword\u0004radio":["radio"],"block description\u0004Display a radio input":["Mostrar botones de radio"],"block title\u0004Radio":["Radio"],"block description\u0004Displays the price of the product with the scratched price.":[],"block title\u0004Product Item Price":[],"block description\u0004Display a list of products from your store.":[],"block title\u0004Product List":[],"block keyword\u0004thumbnail":["miniatura"],"block description\u0004Displays a product item image.":[],"block title\u0004Product Image":[],"block keyword\u0004lite item":["art\u00edculo"],"block keyword\u0004item":["\u00edtem"],"block description\u0004Displays a single product item.":[],"block title\u0004Product Item":[],"block variation title\u0004Non Recurring":["No recurrente"],"block variation description\u0004Add a button to add the product to the cart.":["A\u00f1adir bot\u00f3n para a\u00f1adir el producto al carrito."],"block variation title\u0004Recurring":["Recurrente"],"block keyword\u0004recurring":["recurrente"],"block description\u0004Displays an option to select between recurring prices.":[],"block title\u0004Recurring Prices":["Precios recurrentes"],"block description\u0004Displays a donation price and interval selector.":[],"block title\u0004Prices":["Precios"],"block description\u0004Displays a custom donation amount input for the donation form.":[],"block title\u0004Custom Donation Amount":["Cantidad a donar personalizada"],"block description\u0004Displays a donation amounts for the user to choose from.":[],"block title\u0004Amounts":["Cantidades"],"block title\u0004Product Donation Amount":[],"block title\u0004Product Donation":[],"block description\u0004Displays the product collection title.":[],"block title\u0004Product Collection Title":[],"block description\u0004Displays the product collection image.":[],"block title\u0004Product Collection Image":[],"block description\u0004Display the product collection description":[],"block title\u0004Product Collection Description":[],"block keyword\u0004collections":["colecciones"],"block keyword\u0004store":["tienda"],"block keyword\u0004list":["lista"],"block keyword\u0004archive":["archivar"],"block keyword\u0004products":["productos"],"block description\u0004Display a list of products for a collection.":[],"block title\u0004Product Collections":["Colecciones de producto"],"block keyword\u0004variant":["variante"],"block description\u0004Displays possible choices for product variants.":[],"block title\u0004Product Variants":["Variaciones de producto"],"block description\u0004Displays the product title.":[],"block title\u0004Product Title":["T\u00edtulo de producto"],"block keyword\u0004quantity":["cantidad"],"block description\u0004Displays quantity selector for a product.":[],"block title\u0004Product Quantity":["Cantidad de producto"],"block description\u0004Displays possible choices for product prices.":[],"block title\u0004Product Price Choices":["Precios del producto"],"block description\u0004Displays the product price or price range.":[],"block title\u0004Product Price":["Precio del producto"],"block keyword\u0004media":[],"block keyword\u0004image":["imagen"],"block description\u0004A container to display the product media":[],"block title\u0004Product Media":[],"block keyword\u0004description":["descripci\u00f3n"],"block description\u0004Display the product description":[],"block title\u0004Product Description":[],"block description\u0004Displays product collection selector for a product.":[],"block title\u0004Product Collection Badges":[],"block keyword\u0004buy":["comprar"],"block description\u0004Displays product buy and add to cart buttons":[],"block description\u0004Displays a selector for product prices.":["Muestra un selector de precios de productos."],"block title\u0004Price Selector":["Selector de precios"],"block keyword\u0004choice":["elecci\u00f3n"],"block keyword\u0004product":["producto"],"block keyword\u0004price":["precio"],"block description\u0004Displays a price choice for a product":["Muestra una selecci\u00f3n de precio para un producto"],"block title\u0004Price Choice":["Selecci\u00f3n de precio"],"block keyword\u0004tel":["tel"],"block keyword\u0004phone":["tel\u00e9fono"],"block description\u0004Display a phone number collection field.":["Muestra el campo de n\u00famero de tel\u00e9fono."],"block title\u0004Phone":["Tel\u00e9fono"],"block keyword\u0004stripe":["stripe"],"block keyword\u0004paypal":["paypal"],"block keyword\u0004credit":["cr\u00e9dito"],"block description\u0004Display payment options":["Mostrar opciones de pago"],"block title\u0004Payment":["M\u00e9todo de pago"],"block keyword\u0004password":["contrase\u00f1a"],"block description\u0004Displays a password field to let a new user set a password.":["Muestra un campo de contrase\u00f1a para permitir que un nuevo usuario establezca una contrase\u00f1a."],"block title\u0004Password":["Contrase\u00f1a"],"block description\u0004Display an order confirmation line items summary section.":["Muestre una secci\u00f3n resumen de la confirmaci\u00f3n de los \u00edtems del pedido."],"block title\u0004Order Confirmation Line Items":["Elementos de confirmaci\u00f3n del pedido"],"block description\u0004Display an order confirmation customer section.":["Muestre una secci\u00f3n de cliente de confirmaci\u00f3n de pedido."],"block title\u0004Order Confirmation Customer Details":["Detalles del cliente de la confirmaci\u00f3n del pedido"],"block description\u0004Display your order bumps.":["Muestre las ofertas bump de su pedido."],"block title\u0004Order Bumps":["Ofertas bump de pedido"],"block description\u0004Display a name your own price field.":["Muestre un campo de \u201cElige t\u00fa el precio\u201d."],"block title\u0004Name Your Own Price":["Elige t\u00fa el precio"],"block description\u0004Display a name collection field.":["Mostrar un campo de nombre."],"block title\u0004Full Name":["Nombre completo"],"block description\u0004Display a logout button.":["Mostrar un bot\u00f3n de cierre de sesi\u00f3n."],"block title\u0004Logout Button":["Bot\u00f3n de cierre de sesi\u00f3n"],"block keyword\u0004subtotal":["subtotal"],"block description\u0004Display the shipping amount":[],"block title\u0004Shipping Line Item":[],"block keyword\u0004line-items":["\u00edtems"],"block keyword\u0004total":["total"],"block description\u0004Displays checkout line items.":["Muestra los \u00edtems del formulario de pago."],"block title\u0004Line Items":["\u00cdtems"],"block keyword\u0004last-name":["apellido(s)"],"block description\u0004Display a last name collection field.":["Mostrar un campo de apellidos."],"block title\u0004Last Name":["Apellido(s)"],"block keyword\u0004field":["campo"],"block keyword\u0004input":["entrada"],"block keyword\u0004text":["texto"],"block description\u0004Displays a form text input field. This is saved with the order as additional metadata.":["Muestra un campo de entrada de texto. Esto se guarda con el pedido como metadatos adicionales."],"block title\u0004Text Field":["Campo de texto"],"block keyword\u0004title":["t\u00edtulo"],"block keyword\u0004heading":["encabezado"],"block description\u0004Displays a title\/heading section":["Muestra una secci\u00f3n de t\u00edtulo\/encabezado"],"block title\u0004Title\/Heading Section":["Secci\u00f3n T\u00edtulo\/Encabezado"],"block description\u0004Displays a form.":["Muestra un formulario."],"block title\u0004Form":["Formulario"],"block keyword\u0004first-name":["nombre"],"block description\u0004Display a first name collection field.":["Muestre un campo de nombre."],"block title\u0004First Name":["Nombre"],"block keyword\u0004android":["android"],"block keyword\u0004google":["google"],"block keyword\u0004apple":["apple"],"block description\u0004Display express payment options (Google Pay, Apple Pay, etc.)":["Mostrar opciones de pago expr\u00e9s (Google Pay, Apple Pay, etc.)"],"block title\u0004Express Payment":["Pago Expr\u00e9s"],"block keyword\u0004mail":["email"],"block keyword\u0004email":["email"],"block description\u0004Displays an email form field.":["Muestra un campo de email."],"block title\u0004Email":["Email"],"block description\u0004Displays a donation amount for the donation form.":["Muestra el importe donado para el formulario de donaci\u00f3n."],"block title\u0004Donation Amount":["Importe de la donaci\u00f3n"],"block keyword\u0004amount":["cantidad"],"block keyword\u0004custom":["personalizado"],"block keyword\u0004ad hoc":["ad hoc"],"block keyword\u0004donation":["donaci\u00f3n"],"block description\u0004Displays a donation amount for the user to choose from.":["Muestra una cantidad de donaci\u00f3n para que el usuario elija."],"block title\u0004Donation":["Donaci\u00f3n"],"block keyword\u0004hr":["hora"],"block keyword\u0004divider":["separador"],"block description\u0004Displays a divider.":["Muestra un separador."],"block title\u0004Divider":["Separador"],"block keyword\u0004user":["usuario"],"block keyword\u0004account":["cuenta"],"block description\u0004WordPress User Account Information":["Informaci\u00f3n de la cuenta de usuario de WordPress"],"block title\u0004WordPress User Account":["Cuenta de usuario de WordPress"],"block description\u0004Displays the customers shipping addresses and lets them update details.":["Muestra las direcciones de env\u00edo de los clientes y les permite actualizar los detalles."],"block title\u0004Customer Shipping and Tax Address":["Direcci\u00f3n fiscal y de env\u00edo del cliente"],"block description\u0004Displays the customers invoices.":["Muestra las facturas de los clientes."],"block title\u0004Customer Invoices":["Facturas de clientes"],"block description\u0004Displays the customers charges.":["Muestra los cargos de los clientes."],"block title\u0004Customer Charges":["Cargos al cliente"],"block description\u0004Displays the users customer dashboard tabs.":["Muestra las pesta\u00f1as del panel de control de cliente del usuario."],"block title\u0004Customer Dashboard Tabs":["Pesta\u00f1as del panel de cliente"],"block title\u0004Customer Dashboard Tab":["Pesta\u00f1a Panel de control de cliente"],"block description\u0004Displays the users customer dashboard pages.":["Muestra las p\u00e1ginas del panel de control de cliente del usuario."],"block title\u0004Customer Dashboard Pages":["P\u00e1ginas del panel de cliente"],"block description\u0004Displays the users customer dashboard tab.":["Muestra la pesta\u00f1a del panel de control de cliente del usuario."],"block title\u0004Customer Dashboard Page":["P\u00e1gina del panel de cliente"],"block description\u0004Displays a customer's subscriptions.":["Muestra las suscripciones de un cliente."],"block title\u0004Customer Subscriptions":["Suscripciones del cliente"],"block description\u0004Lets the customer update payment methods.":["Permite al cliente actualizar los m\u00e9todos de pago."],"block title\u0004Customer Payment Methods":["M\u00e9todos de pago del cliente"],"block description\u0004Displays the customers orders.":["Muestra los pedidos de los clientes."],"block title\u0004Customer Orders":["Pedidos de los clientes"],"block keyword\u0004download":["descargar"],"block description\u0004Displays the customer's downloads.":["Muestra las descargas del cliente."],"block title\u0004Customer Downloads":["Descargas de clientes"],"block title\u0004Customer Dashboard":["Panel de control del cliente"],"block description\u0004Displays the users customer dashboard.":["Muestra el panel de control de cliente del usuario."],"block title\u0004Tabbed Customer Dashboard":["Panel de cliente de pesta\u00f1as"],"block description\u0004Displays the customers billing details.":["Muestra los detalles de facturaci\u00f3n de los clientes."],"block title\u0004Customer Billing Details":["Detalles de facturaci\u00f3n del cliente"],"block keyword\u0004dashboard":["panel de control"],"block description\u0004Display a button to link the user to their customer dashboard.":["Muestre un bot\u00f3n para vincular al usuario con su panel de control de cliente."],"block title\u0004Customer Dashboard Button":["Bot\u00f3n del panel de control del cliente"],"block description\u0004Display a coupon form.":["Mostrar un campo de cup\u00f3n."],"block title\u0004Coupon":["Cup\u00f3n"],"block keyword\u0004thank you":["gracias"],"block keyword\u0004thank":["gracias"],"block description\u0004Display an order confirmation section.":["Mostrar una secci\u00f3n de confirmaci\u00f3n de pedido."],"block title\u0004Order Confirmation":["Confirmaci\u00f3n del pedido"],"block description\u0004Display an area of the form based on conditions.":["Mostrar un \u00e1rea del formulario en funci\u00f3n de las condiciones."],"block title\u0004Conditional":["Condicional"],"block description\u0004Display content in multiple columns, with blocks added to each column.":["Muestre el contenido en varias columnas, con bloques a\u00f1adidos a cada columna."],"block title\u0004SureCart Columns":["Columnas de SureCart"],"block description\u0004A single column within a columns block.":["Una sola columna dentro de un bloque de columnas."],"block title\u0004SureCart Column":["Columna de SureCart"],"block keyword\u0004surecart":["surecart"],"block keyword\u0004page":["p\u00e1gina"],"block keyword\u0004category":["categor\u00eda"],"block keyword\u0004collection":["colecci\u00f3n"],"block description\u0004A Product collection page for SureCart":[],"block title\u0004Product Collection":["Colecci\u00f3n de producto"],"block keyword\u0004collapse":["colapsar"],"block description\u0004Display a collapsible row":[],"block title\u0004Collapsible Row":["Fila col\u00e1psale"],"block keyword\u0004form":["formulario"],"block description\u0004Display a checkout form":["Mostrar un formulario de pago"],"block title\u0004Checkout Form":["Formulario de pago"],"block keyword\u0004notice":["aviso"],"block keyword\u0004error":["error"],"block description\u0004Display any checkout-related errors. By default the checkout form shows these at the top. Add this block to change the location.":["Muestra cualquier error relacionado con el proceso de pago. De forma predeterminada, el formulario de pago los muestra en la parte superior. Agregue este bloque para cambiar la ubicaci\u00f3n."],"block title\u0004Checkout Errors":["Errores del formulario de pago"],"block keyword\u0004toggle":["interruptor"],"block keyword\u0004checkbox":["casilla de verificaci\u00f3n"],"block description\u0004Display a checkbox input":["Mostrar una casilla de verificaci\u00f3n"],"block title\u0004Checkbox":["Casilla de verificaci\u00f3n"],"block description\u0004Display the cart subtotal":["Mostrar el subtotal del carrito"],"block title\u0004Cart Subtotal":["Subtotal del carrito"],"block description\u0004The cart submit button":["Bot\u00f3n de env\u00edo del carrito"],"block title\u0004Cart Submit Button":["Bot\u00f3n Enviar carrito"],"block description\u0004Display a custom message in the cart":["Mostrar un mensaje personalizado en el carrito"],"block title\u0004Cart Message":["Mensaje del carrito"],"block description\u0004The cart menu icon that shows your cart quantity.":["El icono de carrito muestra la cantidad."],"block title\u0004Cart Menu Icon":["Icono de carrito"],"block title\u0004Cart Items":["Art\u00edculos del carrito"],"block description\u0004Display a cart header":["Mostrar un encabezado de carrito"],"block title\u0004Cart Header":["Encabezado del carrito"],"block keyword\u0004promo":["promoci\u00f3n"],"block keyword\u0004coupon":["cup\u00f3n"],"block description\u0004Display a coupon form in the cart.":["Muestre un campo de cup\u00f3n en el carrito."],"block title\u0004Cart Coupon":["Cup\u00f3n de carrito"],"block description\u0004Display the cart bump line item":["Mostrar la l\u00ednea de oferta bump"],"block title\u0004Cart Bump Line Item":["L\u00ednea de oferta bump"],"block description\u0004The cart":["El carrito"],"block title\u0004Cart":["Carrito"],"block keyword\u0004confirm":["confirmar"],"block keyword\u0004details":["detalles"],"block keyword\u0004card":["tarjeta"],"block description\u0004Display a card block.":["Mostrar un bloque de tarjeta."],"block title\u0004Card":["Tarjeta"],"block description\u0004Display a button to immediately redirect to the checkout page with the product in the cart.":["Muestre un bot\u00f3n para redirigir inmediatamente a la p\u00e1gina de pago con el producto en el carrito."],"block title\u0004Buy Button":["Bot\u00f3n de Comprar"],"block keyword\u0004engine":["motor"],"block keyword\u0004submit":["enviar"],"block keyword\u0004button":["bot\u00f3n"],"block description\u0004Display a checkout form button.":["Mostrar un bot\u00f3n de formulario de pago."],"block title\u0004Button":["Bot\u00f3n"],"block keyword\u0004discount":["descuento"],"block keyword\u0004bump":["oferta bump"],"block keyword\u0004line":["l\u00ednea"],"block keyword\u0004checkout":["pago"],"block description\u0004Displays the order bump discount.":["Muestra el descuento de la oferta bump."],"block title\u0004Bump Discount":["Descuento de oferta"],"block keyword\u0004customer":["cliente"],"block keyword\u0004name":["nombre"],"block description\u0004Display a button to add a specific price to the cart.":["Mostrar un bot\u00f3n para a\u00f1adir un precio espec\u00edfico al carrito."],"block title\u0004Add To Cart Button":["Bot\u00f3n A\u00f1adir al carrito"],"block keyword\u0004tax":["impuesto"],"block keyword\u0004shipping":["env\u00edo"],"block keyword\u0004address":["direcci\u00f3n"],"block description\u0004Display an shipping address form. This is used for shipping and tax calculations.":["Mostrar un formulario de direcci\u00f3n de env\u00edo. Esto se utiliza para los c\u00e1lculos de env\u00edo e impuestos."],"WordPress Account":[],"Navigation":[],"Logo Width":[],"Show Logo":[],"Template Options":[],"Are you sure you want to remove this link?":["\u00bfSeguro que quieres eliminar este enlace?"],"Insert Buy Link":["Insertar enlace de compra"],"Create A Buy Link":["Crear un enlace de compra"],"Update Link":["Actualizar enlace"],"Add A Buy Link":["A\u00f1adir un enlace de compra"],"Are you sure you wish to remove this link?":["\u00bfSeguro que quieres eliminar este enlace?"],"Name Your Price":["Elige t\u00fa el precio"],"To add some default checkout products, click the \"Add Products\" button.":["Para a\u00f1adir productos predeterminados, haz clic en el bot\u00f3n \"A\u00f1adir productos\"."],"Reset":["Reiniciar"],"Price selector label":["Etiqueta selecci\u00f3n de precios"],"Selector title":["T\u00edtulo del selector"],"This product does not have any variants or prices to choose from. Add it to the form instead?":[],"Choose product":["Elegir producto"],"Please select a product with variants and\/or prices to display the price selector.":[],"Open Text":["Texto abierto"],"Closed Text":["Texto cerrado"],"Collapsed On Mobile":["Contra\u00eddo en vista m\u00f3vil"],"Collapsed On Desktop":["Contra\u00eddo en vista escritorio"],"Collapsible":["Plegable"],"Apply Coupon":["Aplicar cup\u00f3n"],"Total Due Today Label":["Etiqueta de total a pagar hoy"],"Amount Due Label":["Etiqueta de importe pendiente"],"Total Label":["Etiqueta de total"],"Other Label":["Otra etiqueta"],"EU VAT Label":["Etiqueta de IVA de la UE"],"UK VAT Label":["Etiqueta de IVA de Reino Unido"],"AU ABN Label":["Etiqueta de ABN de Australia"],"CA GST Label":["Etiqueta de GST de Canad\u00e1"],"Tax ID":["ID fiscal"],"Initial Payment":["Pago inicial"],"Initial Payment Label":["Etique de pago inicial"],"Total Installment Payments":["Total pago a plazos"],"Total Installment Payments Label":["Etiqueta de pago total a plazos"],"Subtotal Label":["Etiqueta de subtotal"],"Secure Payment Text":["Texto de pago seguro"],"Show secure notice.":["Mostrar aviso de seguridad."],"Show a secure lock icon.":["Mostrar un icono de candado."],"Show total due in button text.":["Mostrar el total en el texto del bot\u00f3n."],"This is a secure, encrypted payment.":["\u00c1rea encriptada de pago seguro."],"Link image to home":["Enlazar imagen a la p\u00e1gina de inicio"],"Maximum height":["Altura m\u00e1xima"],"Set a maximum height":["Establecer una altura m\u00e1xima"],"This is also displayed on your invoices, receipts and emails.":["Esto tambi\u00e9n se muestra en tus facturas, recibos e emails."],"Store Logo":["Logo de la tienda"],"Show Description":["Mostrar descripci\u00f3n"],"Shipping Choices":["Formas de env\u00edo disponibles"],"3-5 days":["3-5 d\u00edas"],"Economy":["Econom\u00eda"],"Next-day delivery":["Env\u00edo 24h"],"Express":["Express"],"1-2 days":["1-2 d\u00edas"],"Standard":["Est\u00e1ndar"],"(Not in this example order, but will be conditionally displayed)":["(No en este pedido de ejemplo, pero se mostrar\u00e1 condicionalmente)"],"Label Name":["Nombre de etiqueta"],"Click here to add some radio text...":["Haga clic aqu\u00ed para a\u00f1adir un texto de radio..."],"Radio Text":["Texto de radio"],"Show a range of prices if multiple prices are available or has variable products.":[],"Price Range":["Rango de precios"],"Options":["Opciones"],"Setup Store":["Configurar tienda"],"These are sample products. Setup a new store \/ Connect existing to have real items.":[],"Select specific products...":[],"Hand Pick Products":[],"Featured Products":[],"All Products":["Todos los productos"],"Products To Show":["Productos para mostrar"],"Show collection filtering.":[],"Collection":["Colecci\u00f3n"],"Paginate":["Paginar"],"Products Per Page":["Productos por p\u00e1gina"],"Cover":[],"Contain":["Contiene"],"Image Cropping":["Recortar imagen"],"Aspect Ratio":["Relaci\u00f3n de aspecto"],"Set Aspect Ratio":[],"Price Selector Text":["Texto selecci\u00f3n de precios"],"No, donate once.":["No, donar una vez."],"Yes, count me in!":["Si. !Cuenta conmigo!"],"Donation Amount text":["Texto de cantidad a donar"],"Select a product to display donation choices according to the prices of the product.":[],"Collection Title":["T\u00edtulo de colecci\u00f3n"],"Height":["Altura"],"2:3":["2:3"],"3:4":["3:4"],"9:16":["9:16"],"3:2":["3:2"],"4:3":["4:3"],"16:9":["16:9"],"Square":["Square"],"Original":["Original"],"Aspect ratio":["Relaci\u00f3n de aspecto"],"Image scaling options\u0004Scale":[],"Image will be stretched and distorted to completely fill the space.":[],"Image is scaled to fill the space without clipping nor distorting.":[],"Image is scaled and cropped to fill the entire space without being distorted.":[],"Scale option for Image dimension control\u0004Fill":[],"Scale option for Image dimension control\u0004Contain":[],"Scale option for Image dimension control\u0004Cover":[],"This is the Product Collection Description block, it will display the collection description if one was added.":[],"Display all products from your store as a grid.":[],"Archive Products":["Archivar productos"],"Display your products from a collection in a grid.":[],"Product Collection":[],"This controls the font size of the pagination.":[],"Pagination Font Size":["Tama\u00f1o de fuente de la paginaci\u00f3n"],"Show a search box.":["Mostrar campo de b\u00fasqueda."],"Search":["Buscar"],"Allow the user to sort by newest, alphabetical and more.":["Permitir al usuario ordenar por fecha, alfab\u00e9tico y m\u00e1s."],"Sort":["Ordenar"],"When paginating with ajax, scroll to the top of this block.":[],"Scroll Into View":[],"Ajax Pagination":["Paginaci\u00f3n Ajax"],"Limit":["L\u00edmite"],"This column count exceeds the recommended amount and may cause visual breakage.":["El n\u00famero de columnas excede la cantidad recomendada y puede causar una mala experiencia visual."],"Edit the layout of each product":[],"Black":["Negro"],"White":["Banco"],"Green":["Verde"],"Color":["Color"],"Product Title":["T\u00edtulo del producto"],"Subscribe and Save":["Suscr\u00edbete y ahorra"],"Show Price":["Mostrar precio"],"Sale Text":["Texto de oferta"],"Thumbnails Per Page":["Miniaturas por p\u00e1gina"],"Unlimited":["Ilimitado"],"Max Image Width":["Ancho m\u00e1ximo de imagen"],"Slider Height":["Altura control deslizante"],"Auto Height":["Altura autom\u00e1tica"],"Experience the next level of convenience with our innovative widget. Melding cutting-edge technology with user-friendly design, this product provides unparalleled functionality that caters to your lifestyle.":[],"Number To Display":["N\u00famero para mostrar"],"Unavailable label":[],"Out of stock label":["Etiqueta de fuera de stock"],"Text settings":["Ajustes de texto"],"Add text\u2026":["A\u00f1adir texto\u2026"],"Button text":["Bot\u00f3n de texto"],"Columns":["Columnas"],"Select many":["Seleccione muchos"],"Show Price Amount":["Mostrar el precio"],"Show Label":["Mostrar etiqueta"],"Checked By Default":["Marcado por defecto"],"Please preview your form on the front-end to view processors.":["Por favor visualiza el formulario en el front-end para ver los procesadores de pago."],"No payment processors are enabled for this mode.":["No hay procesadores de pago activados para este modo."],"Please preview the form on the front-end to load the Stripe payment element fields.":["Obtenga una vista previa del formulario en el front-end para cargar los campos del elemento de pago de Stripe."],"PayPal selected for check out.":["PayPal seleccionado para pagar."],"Another step will appear after submitting your order to complete your purchase details.":["Aparecer\u00e1 otro paso para completar el pago de forma segura."],"Credit Card selected for check out.":["Tarjeta de cr\u00e9dito seleccionada para pagar."],"%s selected for check out.":["%s seleccionado para el pago."],"Enable Paystack payment":["Habilitar Paystack"],"Paystack":["Paystack"],"Enable PayPal payment":["Habilitar el pago con PayPal"],"Enable Stripe payment":["Habilitar el pago con Stripe"],"Enable Mollie processor":["Habilitar el procesador de pagos Mollie"],"Mollie":["Mollie"],"Disable or enable specific processors for this form.":["Deshabilite o habilite procesadores espec\u00edficos para este formulario."],"Enabled Processors":["Procesadores habilitados"],"Password Confirmation Help":["Ayuda de confirmaci\u00f3n de contrase\u00f1a"],"Password Confirmation Placeholder":["Texto placeholder de confirmaci\u00f3n de contrase\u00f1a"],"Password Confirmation Label":["Etiqueta de confirmaci\u00f3n de contrase\u00f1a"],"Password Confirmation":["Confirmaci\u00f3n de contrase\u00f1a"],"Site Settings":["Ajustes de la web"],"You can override the global password validation by going to the advanced settings.":[],"Show control":["Mostrar control"],"Show Currency Code":["Mostrar c\u00f3digo de moneda"],"Last Name Label":["Etiqueta de apellido"],"First Name Help":["Ayuda con el nombre"],"First Name Label":["Etiqueta de nombre"],"Shipping Amount":["Cantidad de env\u00edo"],"Add your description...":["A\u00f1ade tu descripci\u00f3n..."],"Add your title...":["A\u00f1ade tu t\u00edtulo..."],"Form":["Formulario"],"Please complete your store to enable live mode. It's free!":["Completa la configuraci\u00f3n de la tienda para usar el modo en vivo. Es gratis!"],"Complete your store setup.":["Completa la configuraci\u00f3n de tu tienda."],"Your payment was successful. A receipt is on its way to your inbox.":["Pago efectuado correctamente. En breve recibir\u00e1s un email."],"Thank you!":["\u00a1Gracias!"],"Success! Redirecting...":["\u00a1\u00c9xito! Redireccionando..."],"Success Text":["Texto de \u00e9xito"],"Finalizing...":["Finalizando\u2026"],"Confirming":["Confirmando"],"Processing...":["Procesando\u2026"],"Submitting...":["Enviando\u2026"],"Submitting":["Enviando"],"Loading Text":["Cargando Texto"],"The this is the space between the rows of form elements.":["Este es el espacio entre las filas de elementos del formulario."],"Form Highlight Color":["Color de resaltado del formulario"],"Style":["Estilo"],"Change Template":["Cambiar plantilla"],"Form Template":["Plantilla de formulario"],"Are you sure you want to change the template? This will completely replace your current form.":["\u00bfSeguro que quieres cambiar la plantilla? Esto reemplazar\u00e1 completamente su formulario actual."],"Custom Thank You Page":["P\u00e1gina de agradecimiento personalizada"],"Thank You Page":["P\u00e1gina de agradecimiento"],"Products & Behavior":["Productos y comportamiento"],"Customer can select multiple options.":["El cliente puede seleccionar m\u00faltiples opciones."],"Customer must select one of the options.":["El cliente debe seleccionar una de las opciones."],"Customer must purchase all options.":["El cliente debe comprar todas las opciones."],"Product Options":["Opciones de producto"],"Choose An Invoice Product":["Elija un producto de factura"],"Choose A Donation Product":["Elija un producto de donaci\u00f3n"],"Choose A Starting Design":["Elija un dise\u00f1o inicial"],"Buy me coffee!":["\u00a1Inv\u00edtame a un caf\u00e9!"],"Label for donation":["Etiqueta para donaci\u00f3n"],"Add Amount":["A\u00f1adir cantidad"],"Add Suggested Donation Amount":["A\u00f1ade el importe de donaci\u00f3n sugerido"],"Add Amount":["A\u00f1adir cantidad"],"Default Amount":["Cantidad predeterminada"],"Allow custom amount to be entered":["Permitir que se ingrese una cantidad personalizada"],"Text":["Texto"],"Email Address":["Direcci\u00f3n de email"],"Display Name":["Nombre para mostrar"],"Url Slug":["Identificador de URL (slug)"],"Application UI Icon Pack":["Paquete de iconos de la interfaz de la aplicaci\u00f3n"],"Camping & Hiking Icons":["Iconos de camping y senderismo"],"View all":["Ver todo"],"New Tab %d":["Nueva pesta\u00f1a %d"],"Billing Address":["Direcci\u00f3n de facturaci\u00f3n"],"Billing Email":["Email de facturaci\u00f3n"],"Billing Name":["Nombre de facturaci\u00f3n"],"Sample Data":["Datos de muestra"],"Info":["Informaci\u00f3n"],"Full":["Completo"],"Show Icon":["Mostrar icono"],"Thank you for your purchase! Please check your inbox for additional information.":["\u00a1Gracias por tu compra! Por favor, revisa tu email para obtener informaci\u00f3n adicional."],"is less than or equal to":["es menor o igual que"],"does not exist":["no existe"],"exists":["existe"],"Shipping Country":["Pa\u00eds de env\u00edo"],"Billing Country":["Pa\u00eds de facturaci\u00f3n"],"Coupon(s)":["Cupones"],"Product(s)":["Producto(s)"],"Add Another Product":["A\u00f1adir otro producto"],"Add Another Processor":["A\u00f1adir otro procesador de pagos"],"PayPal":["PayPal"],"Stripe":["Stripe"],"not exist":["no existe"],"exist":["existe"],"is less or equal to":["es menor o igual que"],"is greater or equal to":["es mayor o igual que"],"is less than":["es menor que"],"is greater than":["es mayor que"],"is not equal to":["no es igual a"],"is equal to":["es igual a"],"matches none of":["no coincide con ninguno de"],"matches all of":["coincide con todos"],"matches any of":["coincide con cualquiera de"],"Add Another Coupon":["A\u00f1adir otro cup\u00f3n"],"%s off":["%s de descuento"],"Set Rules":["Configurar reglas"],"OR":["O"],"Add Conditions":["A\u00f1adir condiciones"],"First, add some conditions for the display of this group of blocks.":["Primero, a\u00f1ada algunas condiciones para la visualizaci\u00f3n de este grupo de bloques."],"Conditional":["Condicional"],"Configure Conditions":["Configurar condiciones"],"Configure different visibility conditions to control when the contents appear to customers.":["Configura diferentes condiciones de visibilidad para controlar cu\u00e1ndo se muestran los contenidos a los clientes."],"Conditions":["Condiciones"],"Edit Conditions":["Editar condiciones"],"AND":["Y"],"Search for payment method...":["Buscar m\u00e9todo de pago..."],"Search for country...":["Buscar pa\u00eds\u2026"],"Search for coupons...":["Buscar cup\u00f3n\u2026"],"Search for products...":["Buscar producto\u2026"],"Justification":["Justificar"],"Customize the width for all elements that are assigned to the center or wide columns.":["Personaliza el ancho de todos los elementos asignados a la columna central o ancha."],"Wide":["Ancho"],"Content":["Contenido"],"Nested blocks will fill the width of this container. Toggle to constrain.":["Los bloques anidados ocupar\u00e1n todo el ancho del contenedor. Activa esto para limitarlo."],"Nested blocks use content width with options for full and wide widths.":["Los bloques anidados usan el ancho del contenido con opciones extra para elegir la anchura."],"Inner blocks use content width":["Los bloques internos utilizan el ancho del contenido"],"Justify items right":["Justificar elementos a la derecha"],"Justify items center":["Justificar elementos al centro"],"Justify items left":["Justificar elementos a la izquierda"],"Sticky":["Sticky"],"No collections found.":[],"Loading...":["Cargando\u2026"],"Search or type a collection name":[],"Select Collection Page":[],"Select an icon":["Seleccione un icono"],"Tab Icon":["Icono de pesta\u00f1a"],"Search for a form...":["Buscar un formulario..."],"Choose a form":["Elegir un formulario"],"To add some products \"Add Products\" button.":["Para a\u00f1adir productos, bot\u00f3n \"A\u00f1adir productos\"."],"Custom":["Personalizado"],"Create Product":["Crear producto"],"New Form":["Nuevo formulario"],"Add a checkout form":["A\u00f1ade un formulario de pago"],"Get started by selecting a form or start build a new form.":["Comience seleccionando un formulario o comience a crear un nuevo formulario."],"Select a checkout form":["Seleccione un formulario de pago"],"Enter a title for your form":["Ingrese un t\u00edtulo para su formulario"],"Create a Checkout Form":["Crear un formulario de pago"],"Untitled Form":["Formulario sin t\u00edtulo"],"Form Title":["T\u00edtulo del formulario"],"This form has been deleted or is unavailable.":["Este formulario ha sido eliminado o no est\u00e1 disponible."],"If there are errors in the checkout, they will display here.":["Si hay errores en el pago, se mostrar\u00e1n aqu\u00ed."],"Add some checkbox text...":["Agregue un texto de casilla de verificaci\u00f3n..."],"Checkbox Text":["Texto de la casilla de verificaci\u00f3n"],"Checked by default":["Marcado por defecto"],"Value":["Valor"],"Bottom Border":["Borde inferior"],"Border":["Borde"],"Padding":["Relleno"],"Spacing":["Espaciado"],"Section Color":["Color de la secci\u00f3n"],"Always show cart":["Mostrar siempre el carrito"],"every month":["cada mes"],"Basic":["B\u00e1sico"],"Example Product":["Producto de ejemplo"],"Allow line item quantities to be editable.":["Permita que las cantidades de los art\u00edculos sean editables."],"Editable":["Editable"],"Allow line items to be removed.":["Permitir que se eliminen los art\u00edculos del pedido."],"Removable":["Se puede quitar"],"Placeholder":["Texto placeholder"],"Collapsed":["Contra\u00eddo"],"Width":["Ancho"],"Borderless":["Sin bordes"],"Create Buy Button":["Crear bot\u00f3n de compra"],"Update Buy Button":["Actualizar bot\u00f3n de compra"],"Select some products":["Seleccione algunos productos"],"Products Info":[],"Change selected products":["Cambiar productos seleccionados"],"Bundle Discount":["Paquete de descuento"],"Select Product":["Seleccionar producto"],"To add a product for the cart button, click the \"Select Product\" button.":[],"Product Info":["Informaci\u00f3n del producto"],"Text Color":["Color de texto"],"Background Color":["Color de fondo"],"Text Link":["Enlace de texto"],"Secondary Button":["Bot\u00f3n secundario"],"Primary Button":["Bot\u00f3n primario"],"Button Type":["Tipo de bot\u00f3n"],"Large":["Grande"],"Medium":["Media"],"Small":["Peque\u00f1o"],"Button Size":["Tama\u00f1o del bot\u00f3n"],"Button Text":["Texto del bot\u00f3n"],"Input Placeholder":["Texto placeholder de entrada"],"Input Help":["Ayuda de entrada"],"Input Label":["Etiqueta de entrada"],"Change selected product":["Cambiar producto seleccionado"],"Default country":["Pa\u00eds predeterminado"],"State Placeholder":["Texto placeholder de estado"],"Postal Code Placeholder":["Texto placeholder de c\u00f3digo postal"],"Address Placeholder":["Texto placeholder de direcci\u00f3n"],"City Placeholder":["Texto placeholder de la ciudad"],"Country Placeholder":["Texto placeholder de pa\u00eds"],"Name Placeholder":["Texto placeholder de nombre"],"Show the \"name or company name\" field in the form.":["Mostrar el campo \"nombre o raz\u00f3n social\" en el formulario."],"If products in the cart require tax but not shipping, we will show a condensed version specifically for tax collection.":["Si los productos en el carrito requieren impuestos pero no env\u00edo, mostraremos una versi\u00f3n resumida espec\u00edficamente para la recaudaci\u00f3n de impuestos."],"Use a compact address if possible":["Use una direcci\u00f3n compacta si es posible"],"If tax or shipping is required for checkout the address field will automatically be required.":["Si se requieren impuestos o env\u00edo para el pago, el campo de direcci\u00f3n se requerir\u00e1 autom\u00e1ticamente."],"Required":["Requerido"],"Attributes":["Atributos"],"%d payment":["%d pago","%d pagos"],"once":["una vez"],"Previous":["Anterior"],"Last 365 Days":["\u00daltimos 365 d\u00edas"],"This is a demo of a premium feature. To get this feature, please upgrade your plan.":["Esto es una demo de una funci\u00f3n premium. Para disfrutar de esto mejora tu plan."],"This is a demo of a premium feature. To get this feature, complete your setup and upgrade your plan.":["Esto es una demo de una funci\u00f3n premium. Para disfrutar de esto, completa la configuraci\u00f3n y mejora tu plan."],"Go back.":["Volver."],"Cancel Pending Update":["Cancelar actualizaci\u00f3n pendiente"],"Change Renewal Date":["Cambiar fecha de renovaci\u00f3n"],"Restore At...":["Reactivar el..."],"Pay Off Subscription":["Saldar suscripci\u00f3n"],"Pay Off":["Saldar"],"Restore Now":["Reactivar ahora"],"Payment method updated.":["M\u00e9todo de pago actualizado."],"Tax disabled.":["Impuestos deshabilitados."],"Tax enabled.":["Impuestos habilitados."],"Next retry:":["Siguiente reintento:"],"No billing periods":["Sin periodos de facturaci\u00f3n"],"Time Period":["Periodo de tiempo"],"Enable Automatic Retries":["Activar reintentos autom\u00e1ticos"],"Billing Periods":["Periodos de facturaci\u00f3n"],"Pending Update":["Actualizaci\u00f3n pendiente"],"Retry Payment":["Reintentar pago"],"Are you sure you want to retry the payment? This will attempt to charge the customer.":["\u00bfSeguro que quieres reintentar el pago? Esto intentar\u00e1 cobrar al cliente."],"Payment retry successful!":["\u00a1Reintento de pago correcto!"],"Could not complete the payment. Please check the order for additional details.":["No se ha podido completar el pago. Por favor, revisa el pedido para obtener m\u00e1s detalles."],"This will make the subscription active again and charge the customer immediately.":["Esto reactivar\u00e1 la suscripci\u00f3n de nuevo y cobrar\u00e1 al cliente inmediatamente."],"The customer will immediately be charged the first billing period.":["Al cliente se le cobrar\u00e1 inmediatamente el primer periodo de facturaci\u00f3n."],"The customer will immediately be charged %s for the first billing period.":["Al cliente se le cobrar\u00e1 %s por el primer periodo de facturaci\u00f3n."],"Restore Subscription":["Reactivar suscripci\u00f3n"],"Subscription restored.":["Suscripci\u00f3n reactivada."],"Restore Subscription At":["Reactivar suscripci\u00f3n el"],"Renew Subscription At":["Renovar suscripci\u00f3n el"],"Pay off":["Saldar"],"Are you sure you want to pay off subscription? This will immediately charge the customer the remaining payments on their plan.":["\u00bfSeguro que quieres saldar toda la suscripci\u00f3n? Esto cargar\u00e1 inmediatamente al cliente todos los pagos restantes de su plan."],"Subscription paid off.":["Suscripci\u00f3n saldada."],"Pause":["Pausar"],"Don't Pause":["No pausar"],"Pause Subscription":["Pausar suscripci\u00f3n"],"Subscription paused.":["Suscripci\u00f3n pausada."],"Resume Subscription":["Reanudar suscripci\u00f3n"],"Are you sure you wish to resume this subscription?":["\u00bfSeguro que quieres reanudar esta suscripci\u00f3n?"],"Subscription resumed.":["Suscripci\u00f3n reanudada."],"Revoke Purchase":["Revocar compra"],"Unrevoke Purchase":["Restaurar compra"],"Revoke Purchase & Cancel Subscription":["Revocar compra y cancelar suscripci\u00f3n"],"Unrevoke Purchase & Restore Subscription":["Restaurar comprar y suscripci\u00f3n"],"This action will remove the associated access and trigger any cancelation automations you have set up.":["Esto retirar\u00e1 todos los accesos\/permisos asociados y activar\u00e1 todas las automatizaciones relacionadas con cancelaciones que tengas configuradas."],"This action will re-enable associated access.":["Esto reactivar\u00e1 los accesos\/permisos asociados."],"The subscription will be canceled in order to revoke the purchase.":["La suscripci\u00f3n se cancelar\u00e1 para poder revocar la compra."],"The subscription will be restored in order to restore the purchase. The customer will immediately be charged the first billing period.":["La suscripci\u00f3n se reactivar\u00e1 para poder restaurar la compra. Al cliente se le cobrar\u00e1 inmediatamente el primer periodo de facturaci\u00f3n."],"The subscription will be restored in order to restore the purchase. The customer will immediately be charged %s for the first billing period.":["La suscripci\u00f3n se reactivar\u00e1 para poder restaurar la compra. Al cliente se le cobrar\u00e1 %s inmediatamente por el primer periodo de facturaci\u00f3n."],"Complete Subscription":["Completar suscripci\u00f3n"],"Are you sure you want to complete this payment plan? This will eliminate any additional payments and mark the plan as complete. You cannot undo this.":["\u00bfSeguro que quieres completar este plan de pago? Esto eliminar\u00e1 cualquier pago adicional y marcar\u00e1 el plan como completo. No puedes deshacer esto."],"Subscription completed.":["Suscripci\u00f3n completada."],"Are you sure you wish to cancel the pending update?":["\u00bfSeguro que quieres cancelar la actualizaci\u00f3n pendiente?"],"Update canceled.":["Actualizaci\u00f3n cancelada."],"Don't cancel":["No cancelar"],"When do you want to cancel the subscription?":["\u00bfCu\u00e1ndo quieres cancelar la suscripci\u00f3n?"],"Subscription scheduled for cancelation.":["Suscripci\u00f3n programada para cancelar."],"Subscription canceled.":["Suscripci\u00f3n cancelada."],"Bills on":["Se factura el"],"Upcoming Billing Period":["Pr\u00f3ximo periodo de facturaci\u00f3n"],"%d Remaining":["%d Restante"],"Restores on":["Se reactiva el"],"Add Coupon":["A\u00f1adir c\u00f3digo descuento"],"Coupon Removed":["Cup\u00f3n eliminado"],"Coupon Added":["Cup\u00f3n a\u00f1adido"],"Renews on":["Se renueva el"],"Trial ends on":["El periodo de prueba finaliza el"],"Cancels on":["Se cancela el"],"Lifetime Subscription":["Suscripci\u00f3n de por vida"],"Lifetime":["De por vida"],"Prorate Charges":["Prorratear cargos"],"%d day left in trial":["%d d\u00eda de prueba restante","%d d\u00edas de prueba restantes"],"Applied to balance":["Aplicado al balance"],"Customer Credit":["Cr\u00e9dito del cliente"],"Bills Now":["Se factura ahora"],"Choose a trial end date":["Elige una fecha de finalizaci\u00f3n de la prueba"],"Started":[],"Change Price":["Cambiar precio"],"Edit Amount":["Editar cantidad"],"Update Subscription Price":["Actualizar precio de suscripci\u00f3n"],"Update Amount":["Actualizar cantidad"],"Schedule Update":["Programar actualizaci\u00f3n"],"Update Subscription":["Actualizar suscripci\u00f3n"],"Update Immediately":["Actualizar inmediatamente"],"Subscription Details":["Detalles de suscripci\u00f3n"],"Subscription updated.":["Suscripci\u00f3n actualizada."],"Total Of Installment Payments Remaining":["Total de cuotas pendientes"],"Outstanding Installments":["Cuotas pendientes"],"Lost Monthly Recurring Revenue":["Ingresos Mensuales Recurrentes perdidos"],"MRR Lost":["IMR perdido"],"Total Monthly Recurring Revenue":["Total de Ingresos Mensuales Recurrentes"],"MRR":["IMR"],"Number Of New Trials":["N\u00famero de periodos de prueba nuevos"],"New Trials":["Periodos de prueba nuevos"],"Number Of New Subscriptions":["N\u00famero de suscripciones nuevas"],"New Subscriptions":["Suscripciones nuevas"],"Total Number Of Subscriptions":["N\u00famero total de suscripciones"],"Total Subscriptions":["Suscripciones totales"],"Integration Providers":["Proveedores de integraciones"],"Failed to save.":["Error al guardar."],"Return Request":[],"Variant Option":[],"Incoming Webhook":["Webhook entrante"],"Statistic":["Estad\u00edstica"],"Shipping Rate":["Coste de env\u00edo"],"Shipping Zone":["Zona de env\u00edo"],"Shipping Profile":["Perfil de env\u00edo"],"Shipping Protocol":["Protocolo de env\u00edo"],"Promotion":["Promoci\u00f3n"],"Product Group":["Grupo de productos"],"Processor":["Procesador"],"Product Media":["Multimedia de producto"],"Billing Period":["Periodo de facturaci\u00f3n"],"Manual Payment Method":["M\u00e9todo de pago manual"],"Provisional Accounts":[],"Payment Intent":[],"Media":["Multimedia"],"Line Items":["Productos"],"Integration Provider Items":["Elementos del proveedor de integraciones"],"Integration Provider":["Proveedor de integraciones"],"Draft Checkout":["Borrador del pago"],"Coupon":["Cup\u00f3n"],"Cancellation Acts":["Actos de Cancelaci\u00f3n"],"Bump":["Oferta bump"],"Brand":["Marca"],"Activation":["Activaci\u00f3n"],"Store":["Tienda"],"Enter your license key":["Intruce tu clave de licencia"],"Enter your license key to activate your plan on thie store.":["Ingresa la clave de licencia para activar tu plan en la tienda."],"Upgrade This Store":["Mejorar el plan de esta tienda"],"Upgrade to Premium":["Actualizar a Premium"],"Manage how your store charges sales tax within each tax region. Check with a tax expert to understand your tax obligations.":["Administra c\u00f3mo tu tienda cobra el impuesto a las ventas dentro de cada regi\u00f3n fiscal. Consulta con un experto en impuestos para comprender tus obligaciones fiscales."],"Tax Regions":["Regiones fiscales"],"Accept the order and apply reverse charge.":["Aceptar el pedido y aplicar el cargo inverso."],"Accept the order but don\u2019t apply reverse charge.":["Aceptar el pedido pero no aplicar el cargo inverso."],"Reject the order and show an error.":["Rechazar el pedido y mostrar un error."],"Choose the checkout behavior when VAT verification fails.":["Elija el comportamiento de pago cuando falla la verificaci\u00f3n del IVA."],"VAT Number Verification Failure":["Error de verificaci\u00f3n del n\u00famero de IVA"],"If enabled, apply reverse charge when applicable even when customers are in your home country.":["Si est\u00e1 habilitado, aplica el cargo inverso cuando corresponda, incluso cuando los clientes se encuentren en su pa\u00eds de origen."],"Local Reverse Charge":["Cobro revertido local"],"If enabled, require all customer\u2019s in the EU to enter a EU VAT number when checking out.":["Si est\u00e1 habilitado solicita a todos los clientes en la UE que ingresen un n\u00famero de IVA de la UE al pagar."],"Require VAT Number":["Requerir n\u00famero de IVA"],"Change how your store manages EU VAT collection and validation.":["Cambia la forma en que tu tienda gestiona la recaudaci\u00f3n y validaci\u00f3n del IVA de la UE."],"EU VAT Settings":["Configuraci\u00f3n del IVA de la UE"],"The fallback tax rate to use for checkouts when a specific tax registration is not found.":["El impuesto por defecto que se aplicar\u00e1 a las compras cuando no se encuentre un n\u00famero de identificaci\u00f3n fiscal."],"Fallback Rate":["Impuesto por defecto"],"If enabled, you can enter a tax rate to apply when a specific tax registration is not found.":["Si est\u00e1 habilitado, puede especificar una tasa de impuestos para aplicar cuando no se encuentra un n\u00famero de identificaci\u00f3n fiscal espec\u00edfico."],"If enabled, you need to configure which tax regions you have tax nexus. Tax will only be collected for tax regions that are enabled. If disabled, no tax will be collected.":["Si est\u00e1 habilitado, debe configurar en qu\u00e9 regiones fiscales tiene nexo fiscal. Los impuestos solo se recaudar\u00e1n para las regiones fiscales que est\u00e9n habilitadas. Si est\u00e1 deshabilitado, no se cobrar\u00e1 ning\u00fan impuesto."],"Tax Collection":["Recaudaci\u00f3n de impuestos"],"Manage how your store charges sales tax on orders, invoices, and subscriptions.":["Administra c\u00f3mo tu tienda cobra impuestos sobre las ventas en pedidos, facturas y suscripciones."],"Store Tax Settings":["Configuraci\u00f3n de impuestos de la tienda"],"You don't have any tax registrations. Add a tax registration to start collecting tax.":["No tienes ning\u00fan registro fiscal. A\u00f1ade un registro de impuestos para comenzar a recaudarlos."],"%s Tax Region":["%s Regi\u00f3n fiscal"],"You're not collecting sales tax for any states. Add a tax registration to start collecting tax.":["No est\u00e1s recaudando impuestos sobre las ventas para ning\u00fan estado. Agregue un registro de impuestos para comenzar a recaudarlos."],"You're not collecting VAT in the UK. Add a tax registration to start collecting tax.":["No est\u00e1s recaudando el IVA en el Reino Unido. A\u00f1ade un registro de impuestos para comenzar a recaudarlos."],"You don't have any country-specific VAT registrations. If you're registered under one-stop shop then you don't need to create country-specific tax registrations. If you're not, add a tax registration to start collecting tax.":["No tienes ning\u00fan registro de IVA espec\u00edfico de ning\u00fan pa\u00eds. Si est\u00e1s registrado en ventanilla \u00fanica para IVA, no necesitas crear registros de impuestos espec\u00edficos del pa\u00eds. Si no lo est\u00e1s, a\u00f1ade un registro de impuestos para comenzar a recaudarlos."],"You're not collecting any provincial tax in Canada. Add a tax registration to start collecting tax.":["No est\u00e1s recaudando ning\u00fan impuesto provincial en Canad\u00e1. A\u00f1ade un registro de impuestos para comenzar a recaudarlos."],"You're not collecting GST in Australia. Add a tax registration to start collecting tax.":["No est\u00e1s recaudando el GST en Australia. A\u00f1ade un registro de impuestos para comenzar a recaudarlos."],"Add custom manual tax rates for specific countries.":["A\u00f1ada impuestos de forma manual para pa\u00edses espec\u00edficos."],"You\u2019ll need to collect sales tax if you meet certain state requirements, also known as nexus. To start collecting tax, you need to register with the appropriate state tax authority.":["Deber\u00e1s recaudar impuestos sobre las ventas si cumples con ciertos requisitos estatales, tambi\u00e9n conocidos como nexo. Para comenzar a recaudar impuestos, debes registrarse con la autoridad fiscal estatal correspondiente."],"If you do business in the United Kingdom, you may be required to collect Value Added Tax (VAT).":["Si hace negocios en el Reino Unido, es posible que debas recaudar su Impuesto al Valor A\u00f1adido (VAT)."],"If you plan to submit a separate VAT return to each EU country, then you'll need to setup tax registrations for each country.":["Si planeas enviar una declaraci\u00f3n de IVA por separado para cada pa\u00eds de la UE, deber\u00e1s configurar registros de impuestos para cada pa\u00eds."],"If you need to collect provincial tax (British Columbia, Manitoba, Quebec, and Saskatchewan) in addition to GST\/HST, then you'll need to setup registrations for each province.":["Si necesitas recaudar impuestos provinciales (Columbia Brit\u00e1nica, Manitoba, Quebec y Saskatchewan) adem\u00e1s del GST\/HST, deber\u00e1s configurar registros para cada provincia."],"If you do business in Australia, you may be required to collect GST on sales in Australia.":["Si hace negocios en Australia, es posible que debas recaudar GST sobre las ventas en Australia."],"State Sales Tax Registrations":["Registros de impuestos estatales sobre las ventas"],"VAT Registration":["Registro del IVA"],"Country-Specific VAT Registrations":["Registros de IVA espec\u00edficos del pa\u00eds"],"GST Registration":["Registro de GST"],"Rest Of The World":["Resto del mundo"],"United States":["Estados Unidos"],"Canada":["Canad\u00e1"],"United Kingdom":["Reino Unido"],"European Union":["Uni\u00f3n Europea"],"Australia":["Australia"],"Tax Zone":["Zona Fiscal"],"Tax Registration":["Registro de impuestos"],"Tax is automatically calculated and applied to orders. Make sure you\u2019re registered with the appropriate tax jurisdictions before enabling tax collection.":["El impuesto se calcula autom\u00e1ticamente y se aplica a los pedidos. Aseg\u00farese de estar registrado en las jurisdicciones fiscales correspondientes antes de habilitar la recaudaci\u00f3n de impuestos."],"Make sure you\u2019re registered with the appropriate tax jurisdictions before enabling tax collection.":["Aseg\u00farese de estar registrado en las jurisdicciones fiscales correspondientes antes de habilitar la recaudaci\u00f3n de impuestos."],"Tax Rate":["Tasa de impuesto"],"Automatic":["Autom\u00e1tico"],"Manual":["Manual"],"Tax Calculation":["C\u00e1lculo de impuestos"],"Region":["Regi\u00f3n"],"State":["Estado"],"Province":["Provincia"],"Country":["Pa\u00eds"],"Collect Tax":["Recaudar impuestos"],"Enable this if your business makes up to \u20ac10,000 EUR in sales to other EU countries and you only plan to submit a domestic VAT return. If enabled, your home country VAT rate will apply to all EU orders.":["Habilita esta opci\u00f3n si tu empresa genera hasta 10.000 EUR en ventas a otros pa\u00edses de la UE y s\u00f3lo planeas presentar una declaraci\u00f3n de IVA nacional. Si est\u00e1 habilitado, la tasa de IVA de tu pa\u00eds de origen se aplicar\u00e1 a todos los pedidos de la UE."],"Micro-Business Exemption":["Exenci\u00f3n de microempresas"],"If enabled, your store will collect EU VAT for all EU countries. You should enable this option if you are registered via \"One-Stop Shop\" and plan to submit a single VAT return for all EU countries. If you are planning to submit separate VAT returns for each EU country then you should not enable this option. You should instead create separate tax registrations for each EU country.":["Si est\u00e1 habilitado, tu tienda cobrar\u00e1 el IVA de la UE para todos los pa\u00edses de la UE. Debes habilitar esta opci\u00f3n si est\u00e1s registrado a trav\u00e9s de \"One-Stop Shop\" y planeas presentar una declaraci\u00f3n de IVA \u00fanica para todos los pa\u00edses de la UE. Si planeas presentar declaraciones de IVA por separado para cada pa\u00eds de la UE, no debes habilitar esta opci\u00f3n. En su lugar, deber\u00e1s crear registros fiscales separados para cada pa\u00eds de la UE."],"Manage how your store collects EU VAT for all EU countries.":["Administra c\u00f3mo recauda tu tienda el IVA de la UE para todos los pa\u00edses de la UE."],"Collect EU VAT":["Recaudar el IVA de la UE"],"In applicable tax jurisdictions, your tax ID will show on invoices. If you don't have your tax ID number yet, you can enter it later.":["En las jurisdicciones fiscales correspondientes, tu identificaci\u00f3n fiscal aparecer\u00e1 en las facturas. Si a\u00fan no tienes n\u00famero de identificaci\u00f3n fiscal, puedes ingresarlo m\u00e1s tarde."],"If enabled, your store will collect Canada GST\/HST for all provinces. If you need to collect additional provincial taxes for Quebec, British Columbia, Manitoba, or Saskatchewan then you will need to additionally create separate tax registrations for these provinces.":["Si est\u00e1 habilitado, tu tienda cobrar\u00e1 el GST\/HST de Canad\u00e1 para todas las provincias. Si necesitas recaudar impuestos provinciales adicionales para Quebec, Columbia Brit\u00e1nica, Manitoba o Saskatchewan, deber\u00e1s crear adicionalmente registros de impuestos separados para estas provincias."],"Collect Canada GST\/HST":["Cobrar el GST\/HST de Canad\u00e1"],"Manage how your store collects GST\/HST for all Canadian provinces.":["Administra c\u00f3mo cobra tu tienda el GST\/HST para todas las provincias canadienses."],"Canada GST\/HST":["GST\/HST de Canad\u00e1"],"Customers will be able to cancel their subscriptions from the customer portal. You can configure what happens when a subscription cancellation happens from the Subscriptions settings page.":["Los clientes podr\u00e1n cancelar sus suscripciones desde el portal de cliente. Puedes configurar lo que sucede cuando se cancela una suscripci\u00f3n desde la p\u00e1gina de configuraci\u00f3n de Suscripciones."],"Allow Subscription Cancellations":["Permitir cancelaciones de suscripciones"],"Customers will be able to change subscription quantities from the customer portal.":["Los clientes podr\u00e1n cambiar las cantidades de suscripci\u00f3n desde el portal del cliente."],"Allow Subscription Quantity Changes":["Permitir cambios en la cantidad de suscripci\u00f3n"],"Customers will be able to switch pricing plans from the customer portal. You can configure what happens when a subscription change happens from the Subscriptions settings page.":["Los clientes podr\u00e1n cambiar los planes de precios desde el portal de cliente. Puedes configurar lo que sucede cuando se produce un cambio de suscripci\u00f3n desde la p\u00e1gina de configuraci\u00f3n de Suscripciones."],"Allow Subscription Changes":["Permitir cambios de suscripci\u00f3n"],"Manage what your customers are able to see and do from the customer portal.":["Administra lo que tus clientes pueden ver y hacer desde el portal de clientes."],"Customer Portal":["Portal de cliente"],"Revoke Purchase After All Payment Retries Fail":["Revocar compra si fallan todos los reintentos de pago"],"Revoke Immediately":["Revocar inmediatamente"],"Purchase Revoke Behavior":["Comportamiento de revocaci\u00f3n de compras"],"Whether or not a payment method should be required for subscriptions that have an initial period amount of $0 (free trial or coupon). This is useful if you want to offer a \"no credit card required\" free trials.":["Si se debe o no requerir un m\u00e9todo de pago para las suscripciones que tienen un importe de $0 en el primer periodo (prueba gratuita o cup\u00f3n). Esto es \u00fatil si quieres ofrecer pruebas gratuitas \"sin necesidad de tarjeta de cr\u00e9dito\"."],"Require Upfront Payment Method":["Requerir m\u00e9todo de pago por adelantado"],"Manage your subscription purchase behavior.":["Administra el comportamiento de las compras de suscripci\u00f3n."],"Purchase Behavior":[],"If a subscription payment fails, the subscription is marked past due. When this happens we automatically retry the payment based on our smart retry logic. If the payment is still unsuccessful after the duration set above, the subscription will be canceled.":["Si el pago de una suscripci\u00f3n falla, la suscripci\u00f3n se marca como vencida. Cuando esto sucede, autom\u00e1ticamente volvemos a intentar el pago seg\u00fan nuestra l\u00f3gica de reintento inteligente. Si el pago sigue sin tener \u00e9xito despu\u00e9s de la duraci\u00f3n establecida anteriormente, se cancelar\u00e1 la suscripci\u00f3n."],"Three Weeks":["Tres semanas"],"Two Weeks":["Dos semanas"],"One Week":["Una semana"],"Cancel Subscriptions After":["Cancelar suscripciones despu\u00e9s de"],"Manage how your store handles failed subscription payments.":["Administra c\u00f3mo gestiona tu tienda los pagos de suscripci\u00f3n fallidos."],"Failed Payments":["Pagos fallidos"],"Days Before Renewal":["D\u00edas antes de la renovaci\u00f3n"],"Choose how many days before the subscription renewal customers can cancel their plan through the customer dashboard. For example, if you set this to 7 days, customers will only be able to cancel their subscription during the week it renews. Please check for the legality of this setting in your region before enabling.":["Elige cuantos d\u00edas antes de la renovaci\u00f3n los clientes tienen permitido cancelar su plan desde su panel de cliente. Por ejemplo, si seleccionas 7 d\u00edas los clientes s\u00f3lo podr\u00e1n cancelar su suscripci\u00f3n durante los 7 d\u00edas previos a la renovaci\u00f3n. Por favor comprueba que este ajuste sea legal en tu pa\u00eds ante de activarlo."],"Allow Self-Service Cancellations":["Permitir que el usuario pueda cancelar"],"When enabled, this feature prevents customers from cancelling their subscription on the customer dashboard until a set number of days before renewal.":["Al activarse evitas que los clientes puedan cancelar su suscripci\u00f3n desde el panel de cliente hasta cierto n\u00famero de d\u00edas antes de la renovaci\u00f3n."],"Delay Self-Service Cancellations":["Retrasar auto-cancelaciones del usuario"],"When a cancellation happens immediately, the subscription is canceled right away. When a cancellation happens at the billing period end, the subscription remains active until the end of the current billing period.":["Cuando ocurre una cancelaci\u00f3n de inmediato, la suscripci\u00f3n se cancela de inmediato. Cuando ocurre una cancelaci\u00f3n al final del periodo de facturaci\u00f3n, la suscripci\u00f3n permanecer\u00e1 activa hasta el final del periodo de facturaci\u00f3n actual."],"Cancellations Happen":["Las cancelaciones suceden"],"When an upgrade or downgrade happens immediately, a prorated invoice will be generated and paid. If the invoice payment fails, the subscription will not be updated. In the case of a downgrade, the invoice will likely have a $0 balance and a credit may be applied to the customer. When an upgrade or downgrade happens at the next billing period, the subscription won't be updated until the next payment date.":["Cuando se cambia a un plan superior o inferior de forma inmediata, se generar\u00e1 y pagar\u00e1 una factura prorrateada. Si el pago de la factura falla, la suscripci\u00f3n no se actualizar\u00e1. En el caso de cambio a un plan inferior, es probable que la factura tenga un saldo de $0 y se puede aplicar un cr\u00e9dito al cliente. Cuando el cambio ocurre en el pr\u00f3ximo periodo de facturaci\u00f3n, la suscripci\u00f3n no se actualizar\u00e1 hasta la pr\u00f3xima fecha de pago."],"Upgrades Happen":["Las mejoras a un plan superior suceden"],"Downgrades Happen":["Las reducciones a un plan inferior suceden"],"Manage how your store handles subscription upgrades, downgrades, and cancellations.":["Administra c\u00f3mo gestiona tu tienda las mejoras, reducciones y cancelaciones de las suscripciones."],"Upgrades, Downgrades, and Cancellations":["Mejoras, reducciones y cancelaciones de las suscripciones"],"Next Billing Period":["Pr\u00f3ximo periodo de facturaci\u00f3n"],"You don't have any survey answers. Please add at least one to collect cancellation feedback.":["No tienes ninguna respuesta a la encuesta. A\u00f1ada al menos una para recopilar comentarios de cancelaci\u00f3n."],"Survey Answers":["Respuestas de la encuesta"],"Are you sure you want to delete this?":["\u00bfSeguro que quiere eliminar esto?"],"Cancel Link":["Cancelar enlace"],"Button":["Bot\u00f3n"],"Provide a discount to keep a subscription.":["Proporcione un descuento para mantener una suscripci\u00f3n."],"Renewal Discount":["Descuento de renovaci\u00f3n"],"Skip Link":["Omitir enlace"],"Cancellation survey options.":["Opciones de cancelaci\u00f3n de encuesta."],"Cancellation Survey":["Encuesta de cancelaci\u00f3n"],"Turning this on will collect subscription cancelation reasons and optionally offer a discount to keep their subscription active.":["Al activarlo se recopilar\u00e1n los motivos de cancelaci\u00f3n de la suscripci\u00f3n y, opcionalmente, se ofrecer\u00e1 un descuento para mantener activa la suscripci\u00f3n."],"Pro":["Pro"],"Subscription Saver & Cancelation Insights":["Informaci\u00f3n sobre cancelaciones y Recuperador de Suscripciones"],"Subscription Saver & Cancellation Insights":["Informaci\u00f3n sobre cancelaciones y Recuperador de Suscripciones"],"The prompt that will appear when you request more information.":["El mensaje que aparecer\u00e1 cuando solicite m\u00e1s informaci\u00f3n."],"Comment Prompt":["Mensaje de comentario"],"Should the customer be prompted for additional information?":["\u00bfDebe solicitarse al cliente informaci\u00f3n adicional?"],"Request Comments":["Solicitar comentarios"],"Offer the rewewal discount when this option is selected":["Ofrecer el descuento de renovaci\u00f3n cuando se selecciona esta opci\u00f3n"],"Offer Discount":["Oferta de descuento"],"The customer-facing label for this cancellation reason.":["La etiqueta que ver\u00e1 el cliente por este motivo de cancelaci\u00f3n."],"Label":["Etiqueta"],"New Cancellation Reason":["Nuevo motivo de cancelaci\u00f3n"],"Edit Cancellation Reason":["Editar motivo de cancelaci\u00f3n"],"Answer created.":["Respuesta creada."],"Answer updated.":["Respuesta actualizada."],"Can you tell us a little more?":["\u00bfPuedes contarnos un poco m\u00e1s?"],"The amount of times a single customer use the renewal discount.":["Las veces que un solo cliente usa el descuento de renovaci\u00f3n."],"No shipping zones or rates":["Sin zonas o tasas de env\u00edo"],"Create Zone":["Crear zona"],"Shipping zones are geographic regions where you ship products.":[],"Shipping Zones & Rates":["Zonas de env\u00edo y tasas"],"2. Create Rate":["2. Crear tasa"],"1. Create Zone":["1. Crear zona"],"Add Zone":["A\u00f1adir zona"],"Edit Zone":["Editar zona"],"Next":["Siguiente"],"Select Countries":["Seleccionar pa\u00edses"],"United States, United Kingdom, Global ...":["Estados Unidos, Reino Unido, Global \u2026"],"Zone Name":["Nombre de la zona"],"Zone added":["Zona a\u00f1adida"],"Zone updated":["Zona actualizada"],"Select at least one country to create zone.":[],"Fallback":[],"Condition":["Condici\u00f3n"],"Customers won't be able to complete checkout for products in this zone.":["Los clientes no podr\u00e1n completar el pago para productos en esta zona."],"Shipping rate deleted":["Coste de env\u00edo eliminada"],"Fallback Zone":[],"This zone is optionally used for regions that are not included in any other shipping zone.":[],"Rest Of The World Fallback Zone":[],"Are you sure?":["\u00bfEst\u00e1s seguro?"],"Shipping zone deleted":["Zona de env\u00edo eliminada"],"Add New Profile":["A\u00f1adir nuevo perfil"],"Add custom rates or destination restrictions for groups of products.":[],"Custom Shipping Profiles":[],"All products":["Todos los productos"],"Set where you ship and how much you charge for shipping.":[],"Shipping Profiles":["Perfiles de env\u00edo"],"Enabling shipping rates allows you to charge shipping costs and restrict purchase areas.":[],"Enable Shipping Rates":["Activar gastos de env\u00edo"],"Shipping Settings":["Ajuste de env\u00edo"],"To complete the shipping setup, please add shipping rates to a shipping profile below.":[],"Based on order price":["Basado en el precio del pedido"],"Based on item weight":["Basado en el precio del art\u00edculo"],"Select":["Seleccionar"],"Shipping Method":["Forma de env\u00edo"],"Maximum weight":["Peso m\u00e1ximo"],"Minimum weight":["Peso m\u00ednimo"],"No limit":["Sin l\u00edmite"],"Add Rate":["A\u00f1adir tasa"],"Shipping rate added":["Coste de env\u00edo a\u00f1adida"],"Shipping rate updated":["Coste de env\u00edo actualizada"],"Failed to create shipping method":[],"Please select a shipping method":["Por favor selecciona una forma de env\u00edo"],"Flat Rate":["Tarifa plana"],"Edit Shipping Rate":["Editar tasa de env\u00edo"],"Add New Shipping Rate":["A\u00f1adir nueva tasa de env\u00edo"],"No shipping rates available for customers to choose from.":[],"Rates for":["Tarifas para"],"%d product":["%d producto","%d producto"],"Customers won't see this.":["Los clientes no ver\u00e1n esto."],"Profile Details":["Detalles del perfil"],"First create a shipping zone (where you ship to) and then a shipping rate (the cost to ship there).":[],"No shipping rates":["Sin tasas de env\u00edo"],"Manage Shipping Profile":[],"Saving failed.":[],"shipping settings":["ajustes de env\u00edo"],"To charge different rates for only certain products, create a new profile in":[],"No products in this profile.":[],"New products are added to this profile.":[],"Add products to this shipping profile.":[],"All products not in other profiles":[],"%d price":["%d precio","%d precios"],"Product added":["Producto a\u00f1adido"],"Product removed":["Producto eliminado"],"Are you sure you want to delete shipping profile? Deleting the shipping profile will remove associated shipping rates and shipping zones.":[],"Delete Shipping Profile":["Eliminar perfil de env\u00edo"],"Shipping profile deleted":["Perfil de env\u00edo eliminado"],"Customers won\u2019t see this.":["Los clientes no ver\u00e1n esto."],"Add Shipping Profile":[],"The profile name is required.":["Se necesita un nombre de perfil."],"Shipping methods represent the different speeds or classes of shipping that your store offers.":[],"Upgrade to SureCart Premium to add unlimited shipping methods.":[],"Shipping Methods":["Formas de env\u00edo"],"Shipping method removed":["Forma de env\u00edo eliminada"],"A description to let the customer know the average time it takes for shipping.":[],"E.g. 1-2 days":["Ej.: 1-2 d\u00edas"],"Add Shipping Method":["A\u00f1adir m\u00e9todo de env\u00edo"],"Edit Shipping Method":["Editar m\u00e9todo de env\u00edo"],"Shipping method added":["Forma de env\u00edo a\u00f1adida"],"Shipping method updated":["Formas de env\u00edo actualizadas"],"Available Processors":["Procesadores disponibles"],"Processors":["Procesadores"],"Connect with paystack to add a paystack express button to your checkout.":["Con\u00e9ctate con Paystack para a\u00f1adir un bot\u00f3n express a tu pantalla de pago."],"Connect with Mollie to add a Mollie express button to your checkout.":["Con\u00e9ctate con Mollie para a\u00f1adir un bot\u00f3n express a tu pantalla de pago."],"Connect with PayPal to add a PayPal express button to your checkout.":["Con\u00e9ctate con PayPal para a\u00f1adir un bot\u00f3n express a tu pantalla de pago."],"Connect with Stripe to accept credit cards and other payment methods.":["Con\u00e9ctate con Stripe para a\u00f1adir un bot\u00f3n express a tu pantalla de pago."],"Live Payments Disabled":["Pagos reales desactivados"],"Live Payments Enabled":["Pagos reales activados"],"Test Payments Disabled":["Pago de prueba desactivado"],"Test Payments Enabled":["Pago de prueba activado"],"Beta":["Beta"],"Payments that are made outside your online store. When a customer selects a manual payment method, you'll need to approve their order before it can be fulfilled":["Pagos que se realizan fuera de tu tienda online. Cuando un cliente selecciona un m\u00e9todo de pago manual, deber\u00e1s aprobar su pedido antes de que pueda completarse"],"Manual Payment Methods":["M\u00e9todos de pago manuales"],"No manual payment methods.":["Sin formas de pago manuales."],"Enable":["Habilitar"],"Payment method enabled.":["M\u00e9todo de pago habilitado."],"Payment method disabled.":["M\u00e9todo de pago deshabilitado."],"Instructions on how to pay.":["Instrucciones sobre c\u00f3mo pagar."],"The instructions that you want your customers to follow to pay for an order. These instructions are shown on the confirmation page after a customer completes the checkout.":["Las instrucciones que quieres que sigan tus clientes para pagar un pedido. Estas instrucciones se muestran en la p\u00e1gina de confirmaci\u00f3n despu\u00e9s de que un cliente complete el pago."],"Payment instructions":["Instrucciones de pago"],"I.E. Pay with cash upon delivery.":["Paga en efectivo en el momento de la entrega."],"The description of this payment method that will be shown in the checkout.":["La descripci\u00f3n del m\u00e9todo de pago que se mostrar\u00e1 en el \u00e1rea de pago."],"I.E. Cash On Delivery":["Contra reembolso"],"Custom payment method name":["Nombre de m\u00e9todo de pago personalizado"],"Create Manual Payment Method":["Crear m\u00e9todo de pago manual"],"Edit Manual Payment Method":["Editar m\u00e9todo de pago manual"],"Footer":["Pie de p\u00e1gina"],"This appears in the memo area of your invoices and receipts.":["Esto aparece en el \u00e1rea de notas de sus facturas y recibos."],"Memo":[],"Add additional information to receipts and invoices.":["A\u00f1ade informaci\u00f3n adicional a los recibos y facturas."],"Invoices & Receipts":["Facturas y recibos"],"It must be greater than the largest existing order number.":["Debe ser superior al n\u00famero de pedido m\u00e1s alto existente."],"Start Order Number At":["Empezar el n\u00famero de pedido en"],"Random Numbers And Letters":["N\u00fameros y letras al azar"],"Sequential":["Secuencial"],"Choose the style of order numbers.":["Elige el estilo de los n\u00fameros de pedido."],"Order Numbers Counter":[],"If you would like your order numbers to have a special prefix, you can enter it here. It must not contain underscores, spaces or dashes.":["Si quieres que los n\u00fameros de pedido tengan un prefijo especial, puedes escribirlo aqu\u00ed. No debe contener guiones bajos, espacios o guiones."],"Order Number Prefix":["Prefijo del n\u00famero de pedido"],"Configure your order numbering style.":["Configura tu estilo de numeraci\u00f3n de pedidos."],"Order Numbering":["Numeraci\u00f3n de pedidos"],"Promotions":["Promociones"],"Products\/Prices":["Productos\/Precios"],"Export CSV":["Exportar CSV"],"Sent when a subscription payment fails.":["Se env\u00eda cuando falla el pago de una suscripci\u00f3n."],"Subscription Payment Failure":["Error en el pago de la suscripci\u00f3n"],"Sent when a subscription renews.":["Se env\u00eda cuando se renueva una suscripci\u00f3n."],"Subscription Payment":["Pago de Suscripci\u00f3n"],"Sent when a subscription is canceled.":["Se env\u00eda cuando se cancela una suscripci\u00f3n."],"Sent when an order is created.":["Enviado cuando se crea un pedido."],"New Order":["Nuevo pedido"],"These are the emails that are sent to you and other team members of this store.":["Estos son los emails que se te env\u00edan a ti y a otros miembros del equipo de esta tienda."],"Store Emails":["Emails de la tienda"],"Sent to customers when a charge is refunded.":["Enviado a los clientes cuando se reembolsa un pago."],"Sent to customers when a purchase is downloadable or has a license.":["Enviado a los clientes cuando una compra es descargable o tiene una licencia."],"Product Access":["Acceso al producto"],"Sent to customers when their subscription cancellation.":["Enviado a los clientes cuando cancelan su suscripci\u00f3n."],"Subscription Cancellation":["Cancelaci\u00f3n de suscripci\u00f3n"],"Sent to customers when their subscription renews.":["Se env\u00eda a los clientes cuando se renueva su suscripci\u00f3n."],"Subscription Renewal":["Renovaci\u00f3n de la suscripci\u00f3n"],"Sent to customers 3 days before a subscription renews.":["Enviado a los clientes 3 d\u00edas antes de la renovaci\u00f3n de una suscripci\u00f3n."],"Subscription Reminder":["Recordatorio de suscripci\u00f3n"],"Sent to customers when their subscription's payment method fails.":["Enviado a los clientes cuando falla el m\u00e9todo de pago de su suscripci\u00f3n."],"Subscription Recovery":["Recuperaci\u00f3n de suscripci\u00f3n"],"Sent when a fulfillment is marked as delivered.":["Se env\u00eda cuando un pedido se marca como enviado."],"Fulfillment Delivered":["Pedido enviado"],"Sent to when a fulfillment is updated or a tracking number is added.":["Enviado cuando un pedido es actualizado o un se a\u00f1ade n\u00famero de seguimiento."],"Fulfillment Updated":["Pedido actualizado"],"Sent to when a fulfillment is created (i.e. your order is on the way).":["Enviado cuando se crea un env\u00edo (ejemplo: tu pedido est\u00e1 en marcha)"],"Fulfillment Confirmation":["Confirmaci\u00f3n de env\u00edo"],"Sent to customers to login to the customer portal without a password.":["Se env\u00eda a los clientes para iniciar sesi\u00f3n en el portal de clientes sin contrase\u00f1a."],"Email Verification Code":["C\u00f3digo de verificaci\u00f3n"],"Third (final) email sent when a checkout is abandoned.":["Tercer (y \u00faltimo) email enviado cuando se abandona un pago."],"Abandoned Checkout #3":["Formulario de pago abandonado #3"],"Second email sent when a checkout is abandoned.":["Segundo email enviado cuando se abandona un pago."],"Abandoned Checkout #2":["Formulario de pago abandonado #2"],"First email sent when a checkout is abandoned.":["Primer email enviado cuando se abandona un pago."],"Abandoned Checkout #1":["Formulario de pago abandonado #1"],"Customize the content of each notification that is sent to your customers.":["Personaliza el contenido de cada notificaci\u00f3n que se env\u00eda a tus clientes."],"Customer Emails":["Emails de los clientes"],"Subscription payments fail all the time. Don't leave your recurring revenue to chance - turn on recovery emails to increase your chances of recovering subscriptions with failed payments.":["Los pagos de suscripci\u00f3n fallan a menudo. No dejes tus ingresos recurrentes al azar: activa los emails de recuperaci\u00f3n para aumentar tus posibilidades de recuperar suscripciones con pagos fallidos."],"Subscription Recovery Emails":["Emails de recuperaci\u00f3n de suscripci\u00f3n"],"Send a reminder to your subscribers 3 days before their subscription renews.":["Env\u00eda un recordatorio a tus suscriptores 3 d\u00edas antes de que se renueve su suscripci\u00f3n."],"Subscription Reminder Notifications":["Notificaciones de recordatorio de suscripci\u00f3n"],"Send a general subscription cancellation confirmation email to your customers when subscription canceled.":["Env\u00eda un email de confirmaci\u00f3n de cancelaci\u00f3n de suscripci\u00f3n a tus clientes cuando se cancele la suscripci\u00f3n."],"Subscription Cancellation Notification":["Notificaci\u00f3n de cancelaci\u00f3n de suscripci\u00f3n"],"Send an email customers when their subscription renews.":["Env\u00eda un email a los clientes cuando se renueve su suscripci\u00f3n."],"Subscription Renewal Emails":["Emails de renovaci\u00f3n de suscripci\u00f3n"],"Send a quick reminder when a refund is created for a customer. These emails contain the amount and payment method being refunded.":["Env\u00eda un recordatorio r\u00e1pido cuando se haga un reembolso a un cliente. Estos emails contienen el importe y m\u00e9todo de pago reembolsados."],"Refund Emails":["Emails de reembolso"],"Send an order email to customers even when the order is free.":["Env\u00ede un email de pedido a los clientes incluso cuando el pedido sea gratuito."],"Free Order Emails":["Emails de pedidos gratuitos"],"Send a general order confirmation email to your customers when an order is paid. These emails include a breakdown of the order, and a link to a page where they can download their invoice and receipt.":["Env\u00eda un email general de confirmaci\u00f3n de pedido a tus clientes cuando se pague un pedido. Estos emails incluyen un desglose del pedido y un enlace a una p\u00e1gina donde pueden descargar su factura y recibo."],"Order Confirmation Emails":["Emails de confirmaci\u00f3n de pedido"],"Send a product access email to your customer when a purchase is made for a licensed and\/or downloadable product.":[],"Product Access Emails":[],"Manage which notifications are sent to your customers.":["Gestiona qu\u00e9 notificaciones se env\u00edan a tus clientes."],"Webhook Details":["Detalles del webhook"],"There are no more webhooks to show.":["No hay m\u00e1s webhooks que mostrar."],"Webhooks are functioning normally.":["Webhooks funcionando con normalidad."],"Retry":["Reintentar"],"View Details":["Ver detalles"],"Not Processed":["No procesado"],"Processed":["Procesado"],"Event":["Evento"],"If you have any webhooks that failed to process on your site, you can retry them here.":["Si alg\u00fan webhook ha fallado al procesarse puedes reintentarlo aqu\u00ed."],"SureCart Event Processing Health":["Salud del procesado de eventos de SureCart"],"Retry successful!":["Reintento exitoso!"],"This will refetch the webhooks connection settings with your store in the case of an invalid signature or similar issue.":["Esto refrescar\u00e1 la conexi\u00f3n de los webhooks con tu tienda en caso de firma err\u00f3nea o problemas similares."],"Advanced connection options and troubleshooting.":["Opciones avanzadas de conexi\u00f3n y soluci\u00f3n de problemas."],"Advanced Options":["Opciones avanzadas"],"Enter your api token":["Ingresa tu token API"],"API Token":["API token"],"Resync Webhooks":["Resincronizar Webhooks"],"View Logs":["Ver registros"],"If this endpoint is important to your integration, please try and fix the issue. We will disable this endpoint on %s if it continues to fail.":["Si este endpoint es importante en tu integraci\u00f3n por favor intenta resolver el problema. Desactivaremos este endpoint el %s si contin\u00faa fallando."],"This webhook endpoint is being monitored due to repeated errors.":[],"Error":["Error"],"Webhook resynced.":["Webhooks resincronizados."],"Are you sure you want to remove this logo?":["\u00bfSeguro que quieres eliminar este logo?"],"Both":["Ambos"],"Menu Icon":["Icono de men\u00fa"],"Floating Icon":["Icono flotante"],"What type of cart icon would you like to use?":["\u00bfQu\u00e9 tipo de icono de carrito quieres utilizar?"],"Cart Icon Type":["Tipo de icono de carrito"],"Show a floating cart icon in the bottom corner of your site, if there are items in the cart.":["Mostrar un icono flotante de carrito en la esquina inferior de tu web si hay alg\u00fan elemento en \u00e9l."],"Show Floating Cart Icon":["Mostrar icono de carrito flotante"],"Icon":["Icono"],"Enable to always show the cart button, even your cart is empty.":["Act\u00edvalo para mostrar siempre el bot\u00f3n de carrito, incluso cuando est\u00e1 vac\u00edo."],"Always Show Cart (Menu Only)":["Mostrar siempre el carrito (s\u00f3lo en el men\u00fa)"],"Left":["Izquierda"],"Right":["Derecha"],"Select the cart button position, i.e. left or right, where it will look best with your website design.":["Selecciona la posici\u00f3n del carrito. Por ejemplo, izquierda o derecha, donde mejor le venga a tu dise\u00f1o web."],"Select Position":["Seleccionar posici\u00f3n"],"Position of cart button":["Posici\u00f3n del bot\u00f3n del carrito"],"Select the menu(s) where the cart icon will appear.":["Selecciona el men\u00fa(s) donde quieres que aparezca el icono de carrito."],"Select Menus":["Seleccionar men\u00fas"],"This will enable slide-out cart. If you do not wish to use the cart, you can disable this to prevent cart scripts from loading on your pages.":["Esto activar\u00e1 el carrito deslizable. Si no quieres usar el carrito puedes desactivarlo para evitar que carguen los scripts en la p\u00e1gina."],"Enable Cart":["Habilitar carrito"],"Change cart settings.":["Cambiar ajustes del carrito."],"Remove \"Powered By SureCart\" in the footer of emails and reciepts\/invoices.":["Elimine \"Powered By SureCart\" en el pie de p\u00e1gina de emails y recibos\/facturas."],"Remove SureCart Branding":["Ocultar los elementos de marca de SureCart"],"Dark":["Oscuro"],"Light":["Claro"],"Choose \"Dark\" if your theme already has a dark background.":["Elige \"Oscuro\" si tu tema ya tiene un fondo oscuro."],"Select Theme":["Selecciona el tema"],"Select Theme (Beta)":["Seleccionar tema (Beta)"],"Logo":["Logo"],"This color will be used for the main button color, links, and various UI elements.":["Este color se usar\u00e1 para el color del bot\u00f3n principal, los enlaces y varios elementos de la interfaz de usuario."],"Customize how your brand appears globally across SureCart. Your logo and colors will be used on hosted pages and emails that are sent to your customers.":["Personalice c\u00f3mo se muestra su marca globalmente en SureCart. El logo y los colores de su marca se utilizar\u00e1n en las p\u00e1ginas alojadas y en los emails que se env\u00edan a sus clientes."],"Brand Settings":["Configuraci\u00f3n de marca"],"Start Sync":["Iniciar sincronizaci\u00f3n"],"Run any integration automations for purchases. This will run any actions that are set to run on purchase.":[],"Run purchase actions":[],"Create WordPress users if the user does not yet exist.":["Crear usuario de WordPress si el usuario no existe todav\u00eda."],"Create WordPress Users":["Crear usuario de WordPress"],"This will change your user data on your install. We recommend creating a backup of your site before running this.":[],"Customer Sync":["Sincronizar clientes"],"Customer sync started in the background":["Sincronizando clientes en segundo plano"],"Clear out all of your test data with one-click.":["Borra todos los datos de prueba con un solo clic."],"Clear Test Data":["Borrar datos de prueba"],"Sync Customers":["Sincronizar clientes"],"Match all SureCart customers with WordPress users. This is helpful if you have migrated from another eCommerce platform.":["Empareja todos tus clientes de SureCart con usuarios de Worpdress. Esto es \u00fatil si has migrado desde otra plataforma de eCommerce."],"Manually sync your WordPress install with SureCart.":["Sincronizar manualmente WordPress con SureCart."],"Syncing":["Sincronizando"],"Use The Stripe Card Element":["Usar el Elemento Tarjeta de Stripe"],"Show a link to edit the customer area in the menu.":[],"Show a link to edit the checkout page in the menu.":[],"Checkout Page":["P\u00e1gina de pago"],"Show a link to edit the cart in the menu.":[],"Cart Page":["P\u00e1gina del carrito"],"Show a link to edit the shop page in the menu.":[],"Change some admin UI options.":[],"Admin Appearance":["Apariencia del admin"],"This ensures all the password fields have a stronger validation for user password input i.e. at least 6 characters and one special character.":[],"Strong Password Validation":["Validaci\u00f3n de contrase\u00f1a fuerte"],"This will load stripe.js on every page to help with Fraud monitoring.":["Esto cargar\u00e1 stripe.js en cada p\u00e1gina para ayudar con el monitoreo de fraude."],"Stripe Fraud Monitoring":["Monitoreo de Fraude de Stripe"],"register a new site and choose v3.":["registrar un nuevo sitio y elegir v3."],"To get your Recaptcha keys":["Para obtener tus claves reCAPTCHA"],"reCaptcha Secret Key":["Clave secreta reCAPTCHA"],"You can find this on your google Recaptcha dashboard.":["Puedes encontrar esto en tu panel de Google reCAPTCHA."],"reCaptcha Site Key":["Clave del sitio reCAPTCHA"],"Please clear checkout page cache after changing this setting.":["Por favor, borra la cach\u00e9 de la p\u00e1gina de pago despu\u00e9s de cambiar este ajuste."],"Important":["Importante"],"Enable Recaptcha spam protection on checkout forms.":["Habilita la protecci\u00f3n contra spam reCAPTCHA en los formularios de pago."],"Recaptcha v3":["reCAPTCHA v3"],"This adds a field that is invisible to users, but visible to bots in an attempt to trick them into filling it out.":["Esto a\u00f1ade un campo que es invisible para los usuarios pero visible para los bots con la intenci\u00f3n de enga\u00f1arlos y que lo rellenen."],"Honeypot":["Se\u00f1uelo\/trampa"],"Change your checkout spam protection and security settings.":["Cambia la configuraci\u00f3n de seguridad y protecci\u00f3n antispam del formulario de pago."],"Spam Protection & Security":["Protecci\u00f3n y seguridad contra spam"],"Enter a website URL":["Introduce la URL de un sitio web"],"Website":["Sitio web"],"Enter an phone number":["Introduce un n\u00famero de tel\u00e9fono"],"Enter an email":["Intruduce un email"],"This information helps customers recognize your business and contact you when necessary. It will be visible on invoices\/receipts and any emails that need to be CAN-SPAM compliant (i.e. abandoned order emails).":["Esta informaci\u00f3n ayuda a los clientes a reconocer su negocio y contactarlo cuando sea necesario. Ser\u00e1 visible en facturas\/recibos y cualquier email que deba ser compatible con CAN-SPAM (es decir, emails de pedidos abandonados)."],"Contact Information":["Informaci\u00f3n del contacto"],"notifications@surecart.com":["notifications@surecart.com"],"Reply To Email":["Responder al email"],"Enter the sender name":["Ingresa el nombre del remitente"],"Sender Name":["Nombre del remitente"],"Use these settings to configure how notifications are sent to your customers.":["Utilice estos ajustes para configurar c\u00f3mo se env\u00edan las notificaciones a sus clientes."],"A link to your privacy policy page.":["Un enlace a tu p\u00e1gina de pol\u00edtica de privacidad."],"Privacy Policy Page":["P\u00e1gina de Pol\u00edtica de Privacidad"],"A link to your store terms page.":["Enlace a los t\u00e9rminos de tu web."],"Terms Page":["P\u00e1gina de t\u00e9rminos"],"The language used for notifications, invoices, etc.":["El idioma utilizado para las notificaciones, facturas, etc."],"Store Language":["Idioma de la tienda"],"Change this if you want the store to be in a different time zone than your server.":["Cambia esto si quieres que la tienda est\u00e9 en una zona horaria diferente a la de tu servidor."],"Time Zone":["Zona horaria"],"The default currency for new products.":["La moneda predeterminada para nuevos productos."],"This should be your live storefront URL.":["Esta deber\u00eda ser la URL de su tienda en vivo."],"https:\/\/example.com":["https:\/\/ejemplo.com"],"This is displayed in the UI and in notifications.":["Esto se muestra en la interfaz de usuario y en las notificaciones."],"Store Name":["Nombre de la tienda"],"The name of your store will be visible to customers, so you should use a name that is recognizable and identifies your store to your customers.":["El nombre de tu tienda ser\u00e1 visible para los clientes, por lo que debes utilizar un nombre que sea reconocible e identifique la tienda para tus clientes."],"Store Details":["Detalles de la tienda"],"1 week":["1 semana"],"6 Days":["6 d\u00edas"],"5 Days":["5 d\u00edas"],"4 Days":["4 d\u00edas"],"3 Days":["3 d\u00edas"],"2 Days":["2 d\u00edas"],"1.5 Days":["1,5 d\u00edas"],"1 Day":["1 d\u00eda"],"12 Hours":["12 horas"],"6 Hours":["6 horas"],"3 Hours":["3 horas"],"2 Hours":["2 horas"],"1 Hour":["1 hora"],"The number of days to wait after a customer's purchase before allowing an abandoned checkout to be created. This helps to prevent abandoned checkouts being created for customers very soon after they have made a different purchase.":["El n\u00famero de d\u00edas de espera despu\u00e9s de la compra de un cliente para permitir la creaci\u00f3n de un pago abandonado. Esto ayuda a prevenir la creaci\u00f3n de pagos abandonados demasiado recientes si el cliente ha comprado alguna otra cosa."],"Wait for a period of time after a customer has made a purchase to send other abandoned checkouts.":["Espera un periodo de tiempo despu\u00e9s de que el cliente haya realizado una compra para enviar otros carritos abandonados."],"Grace Period":["Periodo de gracia"],"Don't create abandoned checkout if all products in checkout have been purchased.":["No crear pagos abandonados si todos los productos del carrito ya han sido comprados."],"Ignore Purchased Products":["Ignorar los productos comprados"],"Also enable abandoned checkouts in test mode.":["Habilitar los pagos abandonados tambi\u00e9n en el modo de prueba."],"Enabled In Test Mode":["Habilitar en el modo de prueba"],"Advanced settings for abandoned checkouts":["Ajustes avanzados para los pagos abandonados"],"GDPR Message":["Mensaje de RGPD"],"Note: By checking this, it will show confirmation text below the email on checkout forms.":["Nota: al marcar esto, se mostrar\u00e1 un texto de confirmaci\u00f3n debajo del email en los formularios de pago."],"Tracking Confirmation":["Confirmaci\u00f3n de seguimiento"],"Data collection settings for GDPR.":["Configuraci\u00f3n de recopilaci\u00f3n de datos para RGPD."],"GDPR Settings":["Configuraci\u00f3n de RGPD"],"Number of days until expiration":["N\u00famero de d\u00edas hasta el vencimiento"],"Discount Expires":[],"On the final email":["En el \u00faltimo email"],"On the second email":["En el segundo email"],"On the first email":["En el primer email"],"When should we offer the discount?":["\u00bfCu\u00e1ndo debemos ofrecer el descuento?"],"Add a discount incentive for abandoned cart.":["A\u00f1ade un descuento incentivo para carritos abandonados."],"Abandoned Checkout Discount":["Descuento por pago abandonado"],"Your discount settings for abandoned cart.":["Configuraci\u00f3n de descuentos para el carrito abandonado."],"Discount Settings":["Ajustes de descuento"],"Final Email Delay":["Retraso del \u00faltimo email"],"Second Email Delay":["Retraso del segundo email"],"Don't send":["No enviar"],"First Email Delay":["Retraso del primer email"],"Turn on abandoned cart for your store.":["Activar el carrito abandonado para tu tienda."],"Notification settings for abandoned checkouts":["Ajustes de notificaciones para pagos abandonados"],"Notification Settings":["Ajustes de notificaciones"],"Settings Updated.":["Ajustes actualizados."],"Default (Customized)":["Por defecto (personalizado)"],"Add another value":["A\u00f1adir otro valor"],"You have reached the variant limit of 100":[],"Option Value %d":[],"You have already used the same option value \"%s\".":[],"Edit %s":["Editar %s"],"Option Values":[],"Delete %s":["Eliminar %s"],"You have already used the same option name \"%s\".":[],"Option Name":["Nombre de la opci\u00f3n"],"Remove Image":["Eliminar imagen"],"Remove image":["Eliminar imagen"],"Delete variant":["Eliminar variante"],"Open variant dropdown":[],"Price overrides are only allowed for products with a single price.":[],"Are you sure you wish to unlink this image?":[],"Stock Qty":["Cant. en stock"],"SKU":["SKU"],"Add Variant":["A\u00f1adir variante"],"Are you sure you wish to delete this variant image? This cannot be undone.":[],"Add More Options":["A\u00f1adir m\u00e1s opciones"],"You have reached the maximum number of variant options.":[],"Add Options Like Size or Color":["A\u00f1ade opciones como talla o color"],"Variants":["Variantes"],"Add variant":["A\u00f1adir variante"],"This is not shown to the customer, but is used help you identify the group.":["Esto no se muestra al cliente, pero se usa para ayudarte a identificar el grupo."],"Create Product Group":["Crear grupo de productos"],"Add this product to a group with others you want the purchaser to switch between.":["A\u00f1ade este producto a un grupo de productos en el que se permite a los clientes cambiar y elegir."],"Upgrade Group":["Grupo de mejora"],"To charge tax, please set up your tax information on the settings page.":["Para cobrar impuestos rellena tu informaci\u00f3n fiscal en la p\u00e1gina de ajustes."],"This is a physical product":["Este es un producto f\u00edsico"],"Charge tax on this product":["Cobrar impuestos sobre este producto"],"The last part of the URL":["Parte final de la URL"],"Created On":["Creado el"],"Available for purchase":["Disponible para comprar"],"Secure":["Seguro"],"Download archived.":["Descarga archivada."],"Download un-archived.":["Descarga desarchivada."],"Download removed.":["Descarga eliminada."],"Are you sure you want to remove the download from this product?":["\u00bfSeguro que quieres eliminar la descarga de este producto?"],"Are you sure you want to replace the file in this download? This may push out a new release to everyone.":["\u00bfSeguro que quieres reemplazar el archivo en esta descarga? Esto puede suponer el lanzamiento de una nueva versi\u00f3n para todos."],"Turn this off if you do not wish to automatically fulfill this product when an order is placed.":["Desact\u00edvalo si no quieres despachar autom\u00e1ticamente este producto cuando se hace un pedido."],"Auto Fulfill":["Auto despachar"],"Customers won\u2019t enter shipping details at checkout.":["Los clientes no dar\u00e1n los detalles de env\u00edo al pagar."],"Digital product or service":["Productos digitales o servicios"],"Shipping Weight":["Peso del env\u00edo"],"Physical product":["Producto f\u00edsico"],"g":["g"],"oz":["oz"],"kg":["kg"],"lb":["lb"],"Meta description":[],"Page title":["T\u00edtulo de la p\u00e1gina"],"Add a title and description to see how this product might appear in a search engine listing":[],"Search Engine Listing":[],"Hide %d Archived Prices":["Ocultar %d precios archivados"],"Show %d Archived Prices":["Mostrar %d precios archivados"],"Price deleted.":["Precio eliminado."],"Permanently delete this price? You cannot undo this action.":["\u00bfEliminar este precio de forma permanente? No puedes deshacer esta acci\u00f3n."],"Price unarchived.":["Precio sin archivar."],"Archive this price? This product will not be purchaseable and all unsaved changes will be lost.":["\u00bfArchivar este precio? Este producto no se podr\u00e1 comprar y todos los cambios sin guardar se perder\u00e1n."],"Un-Archive this price? This will make the product purchaseable again.":["\u00bfDesarchivar este precio? Esto har\u00e1 que el producto se pueda comprar de nuevo."],"Copy Links":["Copiar enlaces"],"every":["cada"],"Custom Amount":["Cantidad personalizada"],"Payment Plan":["Plan de pago"],"Setup Fee":["Tarifa de configuraci\u00f3n"],"Done":["Hecho"],"Variant ID":["ID de variante"],"Price ID":["ID de precio"],"Miscellaneous":["Miscel\u00e1nea"],"Buy Button Shortcode":["Shortcode del bot\u00f3n de compra"],"Add To Cart Button Shortcode":["Shortcode del bot\u00f3n \"A\u00f1adir al carrito\""],"Shortcodes":["Shortcodes"],"Buy Link":["Enlace de compra"],"Variant":["Variante"],"Price Details":["Detalles del precio"],"Create Price":["Crear precio"],"Installment":["Cuota"],"One Time":["Una vez"],"Payment type":[],"Price updated.":[],"Add A Price":["A\u00f1adir un precio"],"Set up pricing for your product.":["Establecer precios para el producto."],"Add Another Price":["A\u00f1adir otro precio"],"This is the current release zip of your software.":["Este es el ZIP de la versi\u00f3n actual de tu software."],"Current Release":["Versi\u00f3n actual"],"Enable license creation":["Habilitar la creaci\u00f3n de licencias"],"Licensing":["Licencia"],"Adjust":["Ajustar"],"On Hand":[],"Available":["Disponible"],"Adjust By":["Ajustar por"],"Stock adjustment":["Ajuste de stock"],"SKU (Stock Keeping Unit)":["SKU (Stock Keeping Unit)"],"Make stock adjustment":[],"Available Stock":["Stock disponible"],"Continue selling when out of stock":["Continuar vendiendo aun fuera de stock"],"Allow Out Of Stock Selling":["Permitir venta cuando no hay stock"],"Track the quantity of this product.":["Controlar la cantidad de este producto."],"Track Quantity":["Controlar cantidad"],"Inventory":["Inventario"],"Select an Item":["Selecciona un art\u00edculo"],"Select An Integration":["Selecciona una integraci\u00f3n"],"Select an integration to sync with this product.":[],"Integration":["Integraci\u00f3n"],"SKU:":["SKU:"],"All Variants":["Todas las variantes"],"Optionally select a variant to sync with this integration.":[],"Select A Variant":["Seleccionar variante"],"All Prices":["Todos los precios"],"Optionally select a price to sync with this integration.":[],"Add Integration":["A\u00f1adir Integraci\u00f3n"],"Integration saved.":["Integraci\u00f3n guardada."],"To sync purchases of this product, add an integration.":["Para sincronizar las compras de este producto a\u00f1ade una integraci\u00f3n."],"Add New Integration":["A\u00f1adir nueva integraci\u00f3n"],"Product update failed.":["La actualizaci\u00f3n del producto ha fallado."],"You have unsaved changes that need to be saved before adding a new integration. Do you want to save your product now?":[],"Since SureCart's integrations are native, there's no need to worry about the complexity of growing your store.":["Dado que las integraciones de SureCart son nativas, no hay necesidad de preocuparse por la complejidad de hacer crecer tu tienda."],"Grow your store worry-free.":["Haz crecer tu tienda sin preocupaciones."],"Purchases syncing happens in both directions. For example, access is automatically revoked during a subscription cancellation or expiration.":["La sincronizaci\u00f3n de compras ocurre en ambas direcciones. Por ejemplo, el acceso se revoca autom\u00e1ticamente durante la cancelaci\u00f3n o el vencimiento de una suscripci\u00f3n."],"Set it and forget it.":["Config\u00faralo y olv\u00eddate."],"Leave the heavy-lifting to us. Use SureCart's built-in native integrations with all the plugins you use. Purchases and subscriptions are automatically synced with your plugins.":["D\u00e9janos el trabajo pesado a nosotros. Usa las integraciones nativas de SureCart con todos los plugins instalados. Las compras y suscripciones se sincronizan autom\u00e1ticamente con tus plugins."],"Sync purchases with the plugins you already use.":["Sincroniza las compras con los plugins que ya usas."],"Disabled":["Desactivado"],"The provider is not installed or unavailable.":["El proveedor no est\u00e1 instalado o no est\u00e1 disponible."],"%s not found":["%s no encontrado"],"An error occurred":["Ha ocurrido un error"],"Integration deleted.":["Integraci\u00f3n eliminada."],"Are you sure you want to remove this integration? This will affect existing customers who have purchased this product.":["\u00bfSeguro que quieres eliminar esta integraci\u00f3n? Esto afectar\u00e1 a los clientes existentes que hayan comprado este producto."],"Images":["Im\u00e1genes"],"Images updated.":["Im\u00e1genes actualizadas."],"We recommend that you optimize your images before linking them to your products.":[],"https:\/\/":["https:\/\/"],"Image URL":["URL de la imagen"],"Add Product Image":["A\u00f1adir imagen de producto"],"Add From URL":["A\u00f1adir desde una URL"],"Show Archived":["Mostrar archivados"],"External Link":["Link externo"],"Secure Storage":["Almacenamiento seguro"],"File":["Archivo"],"Add Downloads":["A\u00f1adir descargas"],"Download added.":["Descarga a\u00f1adida."],"A short description for your product that is displayed on product and instant checkouts.":["Descripci\u00f3n corta del producto que se muestra en el producto y en el checkout instant\u00e1neo."],"New Collection":["Nueva colecci\u00f3n"],"Collection created.":["Colecci\u00f3n creada."],"Add To Collection":["A\u00f1adir a una colecci\u00f3n"],"Add this product to a collection...":["A\u00f1adir este producto a la colecci\u00f3n\u2026"],"Link":["Link"],"Require terms and conditions":["Requerir T\u00e9rminos y Condiciones"],"Show coupon field":["Mostrar el campo de cup\u00f3n descuento"],"Show product description":["Mostrar la descripci\u00f3n del producto"],"Show product image":["Mostrar la imagen del producto"],"Show store logo":["Mostrar el logo de la tienda"],"Make test payments with this product.":["Hacer pagos de prueba con este producto."],"Instantly publish a shareable page for this product.":["Publica instant\u00e1neamente una p\u00e1gina compartible para este producto."],"Instant Checkout":["Checkout Instant\u00e1neo"],"Customer Purchase Limit":["L\u00edmite de compra del cliente"],"Limit the number of times a single customer can purchase this product.":["Limita la cantidad de veces que un solo cliente puede comprar este producto."],"Limit Per-Customer Purchases":["L\u00edmite de compras por cliente"],"Add Link":["A\u00f1adir enlace"],"A valid file URL.":["Una URL de archivo v\u00e1lida."],"Link URL":["URL del link"],"A display name for file.":["Nombre a mostrar para el archivo."],"Link Name":["Nombre del link"],"Add External Link":["A\u00f1adir link externo"],"Save Product":["Guardar producto"],"Archive %s? This product will not be purchaseable and all unsaved changes will be lost.":["\u00bfArchivar %s ? Este producto no se podr\u00e1 comprar y todos los cambios sin guardar se perder\u00e1n."],"Un-Archive %s? This will make the product purchaseable again.":["\u00bfDesarchivar %s ? Esto har\u00e1 que el producto se pueda comprar de nuevo."],"Product updated.":["Producto actualizado."],"A name for your product.":["Un nombre para el producto."],"Create New Product":["Crear nuevo producto"],"Custom Single Product Page":[],"Days":["D\u00edas"],"Free Trial":["Prueba gratis"],"Tax is included":["Impuestos incluidos"],"Default price":[],"Setup fee":[],"Compare at price":[],"Year":["A\u00f1o"],"Month":["Mes"],"Week":["Semana"],"Day":["D\u00eda"],"Repeat payment every":[],"then cancels":["despu\u00e9s cancela"],"Monthly, Basic Plan, etc.":["Mensual, Plan B\u00e1sico, etc."],"Maximum Price":["Precio m\u00e1ximo"],"Minimum Price":["Precio m\u00ednimo"],"Revoke access when installments are completed":["Revocar acceso cuando los pagos a plazos se completen"],"Payments":["Pagos"],"Number of Payments":["N\u00famero de pagos"],"Purchasable":[],"Not Purchaseable":["No puede comprarse"],"Available For Purchase":["Disponible para comprar"],"Availability":["Disponibilidad"],"Add some products to this upgrade group. A customer who has purchased one of these products can switch between others in this group.":["Agregue algunos productos a este grupo de mejora. Un cliente que haya comprado uno de estos productos puede cambiar entre otros de este grupo."],"Product removed.":["Producto eliminado."],"Choose a product":["Elige un producto"],"Product added.":["Producto a\u00f1adido."],"A name for your product group.":["Un nombre para el grupo de productos."],"New Upgrade Group":["Nuevo grupo de mejora"],"Edit Product Group":["Editar grupo de productos"],"Product Groups":["Grupos de productos"],"Save Group":["Guardar grupo"],"Product group un-archived.":[],"Product group archived.":[],"Archive this product group?":["Archivar este grupo de productos?"],"Un-Archive this product group?":[],"Product group deleted.":[],"Permanently delete this product group? You cannot undo this action.":[],"Product group updated.":["Grupo de productos actualizado."],"A name for your product group. It is not shown to customers.":["Un nombre para el grupo de productos. No se muestra a los clientes."],"Group Name":["Nombre del grupo"],"Create Upgrade Group":["Crear grupo de mejora"],"Publishing":["Publicando"],"Replace":["Reemplazar"],"Add Image":["A\u00f1adir imagen"],"Image":["Imagen"],"Image removed.":["Imagen eliminada."],"Image updated.":["Imagen actualizada."],"A short description for your product collection.":["Descripci\u00f3n corta para tu colecci\u00f3n de productos."],"Details":["Detalles"],"Deleting a product collection does not delete the products in that collection.":[],"This action cannot be undone.":["Esta acci\u00f3n no puede deshacerse."],"Are you sure you want to delete this product collection?":[],"Delete this product collection?":["Borrar esta colecci\u00f3n de productos?"],"Product Collection deleted.":[],"Save Collection":["Guardar colecci\u00f3n"],"Product Collection updated.":[],"A short description for your product collection. This will be displayed on the collection page.":["Descripci\u00f3n corta para tu colecci\u00f3n de productos. Se mostrar\u00e1 en la p\u00e1gina de la colecci\u00f3n."],"Enter a description...":["Introduce una descripci\u00f3n..."],"A name for your product collection.":["Nombre para tu colecci\u00f3n de productos."],"Collection Name":["Nombre de la colecci\u00f3n"],"Create Collection":["Crear colecci\u00f3n"],"Change URL: %s":["Cambiar URL: %s"],"URL Slug":["Identificador de URL (slug)"],"View Product Collection":[],"The last part of the URL.":["El final de la URL."],"URL":["UL"],"Select template":["Selecciona plantilla"],"Select template: %s":["Selecciona plantilla: %s"],"Manage all template parts":[],"Page Layout":[],"Describe the template, e.g. \"Men's Watches\". A custom template can be manually applied to product collection page.":[],"Manage all templates":[],"Edit template":["Editar plantilla"],"Template":["Plantilla"],"Add Template":["A\u00f1adir plantilla"],"Templates define the way product collection page is displayed when viewing your site.":[],"Create Template":["Crear plantilla"],"%d Product":["%d Producto","%d Productos"],"Actions":["Comportamiento"],"Return":["Devolver"],"Mark As Paid":["Marcar como pagado"],"Unverified":["Inconfirmado"],"Valid":["V\u00e1lido"],"Validity":["Validez"],"Number Type":["Tipo de n\u00famero"],"Tax Number":["N\u00famero de impuesto"],"Tax Information":["Datos de impuestos"],"Other":["Otro"],"EU VAT":["IVA de la UE"],"UK VAT":["VAT del Reino Unido"],"AU ABN":["ABN de Australia"],"CA GST":["GST de Canad\u00e1"],"Choose an option":["Elige una opci\u00f3n"],"Return Reason":["Raz\u00f3n de la devoluci\u00f3n"],"Returned on":["Devuelto el"],"Cancel return":["Cancelar revoluci\u00f3n"],"Open Return":[],"Complete Return":["Completar devoluci\u00f3n"],"Return in progress":["Devoluci\u00f3n en marcha"],"Return completed":["Devoluci\u00f3n completada"],"Return completed.":["Devoluci\u00f3n completada."],"Return re-opened.":[],"Cancel Return":["Cancelar revoluci\u00f3n"],"Are you sure you wish to cancel the return?":["\u00bfSeguro que quieres cancelar esta devoluci\u00f3n?"],"Return Canceled.":["Devoluci\u00f3n cancelada."],"Return Item":["Devolver producto","Devolver productos"],"Return created.":["Devoluci\u00f3n creada."],"Insufficient Funds":["Fondos insuficientes"],"Amount Refunded":["Importe reembolsado"],"Refunds":["Reembolsos"],"Unknown":["Desconocido"],"Succeeded":[],"Pending":["Pendiente"],"Attempt":["Intento"],"Payment Failures":["Pagos fallidos"],"Mark Paid":["Marcar como pagado"],"Are you sure you wish to mark the order as paid?":["\u00bfSeguro que quieres marcar el pedido como pagado?"],"Order Marked as Paid.":["Pedido marcado como pagado."],"Cancel Order":["Cancelar pedido"],"Go Back":["Atr\u00e1s"],"Are you sure you wish to cancel the order?":["\u00bfSeguro que quieres cancelar el pedido?"],"Order Canceled.":["Pedido cancelado."],"Additional Order Data":["Datos de pedido adicionales"],"Net Payment":["Pago neto"],"Download Receipt \/ Invoice":["Descargar Recibo \/ Factura"],"Payment Failed":["Pago fallido"],"Qty: %d":["Cant.: %d"],"Fulfilled on":["Despachado el"],"Cancel fulfillment":["Cancelar despacho"],"Edit tracking":["Editar seguimiento"],"%d Item":["%d Item","%d Items"],"Fulfillment canceled.":["Despacho cancelado."],"Send shipment details to your customer now":["Enviar detalles del env\u00edo a tu cliente ahora"],"Notify customer of shipment":[],"No shipping required.":["No requiere env\u00edo."],"Copy Address":["Copiar direcci\u00f3n"],"of %d":["de %d"],"Fulfill Item":["Despachar \u00edtem","Despachar \u00edtems"],"Fulfillment created.":["Despacho creado."],"Error copying to clipboard.":["Error al copiar al portapapeles."],"Copied to clipboard.":["Copiado al portapapeles."],"Add another tracking number":["A\u00f1adir otro n\u00famero de seguimiento"],"Tracking Link":["Link de seguimiento"],"Tracking number":["N\u00famero de seguimiento","N\u00fameros de seguimiento"],"No Shipping Required":["No requiere env\u00edo"],"Status updated.":["Estado actualizado."],"Add":["A\u00f1adir"],"Send notification":["Enviar notificaci\u00f3n"],"Add Tracking":["A\u00f1adir n\u00famero de seguimiento"],"Edit Tracking":["Editar seguimiento"],"View My Store":["Ver mi tienda"],"Add A Product":["A\u00f1adir producto"],"Failed to create store. Please try again.":[],"Choose some example data or start from scratch.":["Elige datos de ejemplo o empieza de cero."],"Select A Starting Point":[],"Start From Scratch":["Empezar de cero"],"Setting up your store...":["Configurando tu tienda\u2026"],"Your store has been created.":["Tu tienda ha sido creada."],"Congratulations!":["\u00a1Enhorabuena!"],"Continue":["Continuar"],"Back":["Atr\u00e1s"],"and":["y"],"Terms of Service":["T\u00e9rminos de servicio"],"By continuing, you agree to the":["Al continuar aceptas:"],"Connect Existing Store":["Conectar tienda existente"],"Create New Store":["Crear nueva tienda"],"You are a few clicks away from adding e-commerce to your website. SureCart is a cloud powered e-commerce platform that is easy to use, lightweight, and lightning fast.":[],"Welcome, Let\u2019s Setup Your Online Store":["Bienvenido, vamos a configurar tu tienda online"],"Enter email address":["Escribe un email"],"This email is used for store notifications, such as new orders, payment failures and other store emails.":[],"Confirm Email for Store Notifications":["Confirmar email para las notificaciones de la tienda"],"Invalid email address!":["\u00a1Email no v\u00e1lido!"],"You can always change this later.":["Puedes cambiar esto despu\u00e9s."],"Brand Color":["Color de la marca"],"Customize and configure your store settings.":["Personaliza y configura los ajustes de la tienda."],"Confirm Store Details":["Confirmar detalles de tienda"],"Are you sure you want to remove this image?":["Seguro que quieres eliminar esta imagen?"],"Enter the number of unique activations for this key. Leave blank for infinite.":["Introduce el n\u00famero de activaciones \u00fanicas para esta clave de licencia. D\u00e9jalo en blanco para infinito."],"Activation Limit":["L\u00edmite de activaci\u00f3n"],"License Key":["Clave de licencia"],"License":["Licencia"],"Activations":["Activaciones"],"This license has not been activated.":["Esta licencia no ha sido activada."],"Local \/ Staging":["Local \/ En desarrollo"],"This is a unique identifier for the license. For example, a website url.":["Este es un identificador \u00fanico para la licencia. Por ejemplo, la URL de un sitio web."],"Fingerprint":["Huella dactilar"],"Edit Activation":["Editar activaci\u00f3n"],"Activation updated.":["Activaci\u00f3n actualizada."],"Please refresh the page and try again.":["Refresca la p\u00e1gina y vuelve a intentarlo."],"Activation deleted.":["Activaci\u00f3n eliminada."],"Are you sure you want to remove this activation? This site will no longer get updates.":["\u00bfSeguro que quieres eliminar esta activaci\u00f3n? Este sitio ya no recibir\u00e1 actualizaciones."],"View License":["Ver licencia"],"Save License":["Guardar licencia"],"License updated.":["Licencia actualizada."],"Shipping Address":["Direcci\u00f3n de env\u00edo"],"Proration Credit":["Cr\u00e9dito por prorrateo"],"Amount Paid":["Cantidad pagada"],"Download Invoice":["Descargar factura"],"Download Receipt":["Descargar recibo"],"Invoice Details":["Detalles de la factura"],"Charge":["Cobrar"],"Create Invoice":["Crear factura"],"View Invoice":["Ver la factura"],"Back to All Invoices":["Volver a todas las facturas"],"Okay":["Ok"],"Your store is now connected to SureCart.":["Tu tienda no est\u00e1 conectada a SureCart."],"Setup Complete!":["Configuraci\u00f3n completa!"],"View All":["Ver todo"],"Recent Orders":["Pedidos recientes"],"You don't have any orders.":["No tienes ning\u00fan pedido."],"Yearly":["Anual"],"Monthly":["Mensual"],"Weekly":["Semanal"],"Daily":["Diario"],"Overview":["Descripci\u00f3n general"],"Revenue":["Ingresos"],"vs %s last period":["vs %s \u00faltimo periodo"],"Average Order Value":["Valor promedio de pedido"],"Contact support for additional help":["Contacta con soporte para obtener ayuda adicional"],"Create a new checkout form.":["Crear un nuevo formulario de pago."],"Quick Actions":["Acciones r\u00e1pidas"],"Create products to start selling.":["Crear productos para empezar a vender."],"Create products":["Crear productos"],"Get started with SureCart":["Comenzar con SureCart"],"Connect a user":["Conectar un usuario"],"Disconnect":["Desconectar"],"WordPress User":["Usuario de WordPress"],"User connected.":["Usuario conectado."],"User disconnected.":["Usuario desconectado."],"Are you sure you want to disconnect this from this customer? This will cause them to lose access to their purchases.":["\u00bfSeguro que quieres desconectar esto del cliente? Esto har\u00e1 que pierdan el acceso a sus compras."],"Disable this if you do not want to apply tax on purchases made by this customer.":[],"Apply Tax":["Aplicar impuestos"],"Tax Settings":["Ajustes de impuestos"],"No more subscriptions.":["No hay m\u00e1s suscripciones."],"Add Address":["A\u00f1adir direcci\u00f3n"],"Save Address":["Guardar direcci\u00f3n"],"Update Address":["Actualizar direcci\u00f3n"],"Add Shipping Address":["A\u00f1adir direcci\u00f3n de env\u00edo"],"Update Shipping Address":["Actualizar direcci\u00f3n de env\u00edo"],"Are you sure you want to delete address? This action cannot be undone.":["\u00bfSeguro que quieres eliminar esta direcci\u00f3n? No puede deshacerse."],"Delete Shipping Address":["Borrar direcci\u00f3n de env\u00edo"],"Item":["Art\u00edculo"],"Payment Methods":["M\u00e9todos de pago"],"Are you sure you want to delete this payment method?":["\u00bfSeguro que quieres eliminar este m\u00e9todo de pago?"],"Delete this payment method?":["\u00bfEliminar este m\u00e9todo de pago?"],"Payment method deleted.":["M\u00e9todo de pago eliminado."],"Make Default":["Usar por defecto"],"Default payment method changed.":["Se ha cambiado el m\u00e9todo de pago predeterminado."],"This will save any changes on the page. Do you want to save your changes?":["Esto guardar\u00e1 cualquier cambio en la p\u00e1gina. \u00bfQuieres guardar tus cambios?"],"No more orders.":["No hay m\u00e1s pedidos."],"Items":["Elementos"],"Number":["N\u00famero"],"Subscribed to emails":["Suscrito a emails"],"Your customer's phone number.":["El n\u00famero de tel\u00e9fono de tu cliente."],"Phone":["Tel\u00e9fono"],"Your customer's email address.":["El email de tu cliente."],"Your customer's last name.":["El apellido de tu cliente."],"Your customer's first name.":["El nombre de tu cliente."],"Customer Details":["Detalles del cliente"],"No more charges.":["No hay m\u00e1s cargos."],"Balance Transactions":["Balance de transacciones"],"Ending Balance":["Balance final"],"There are no transactions":["No hay transacciones"],"Applied":["Aplicado"],"Credit":["Cr\u00e9dito"],"Credit Balance":["Balance de cr\u00e9dito"],"View Transactions":["Ver transacciones"],"Balance":["Balance"],"Save Customer":["Guardar cliente"],"Edit Customer":["Editar cliente"],"this customer":["este cliente"],"Customer updated.":["Cliente actualizado."],"Create this customer in test mode if you are going to use this account for test mode purchasing.":["Crea este cliente en modo de prueba si vas a utilizar esta cuenta para realizar compras en modo de prueba."],"Your customer's email.":["El email de tu cliente."],"Customer Email":["Email del cliente"],"Your customer's full name.":["El nombre completo del cliente."],"Customer Name":["Nombre del cliente"],"Create New Customer":["Crear nuevo cliente"],"Archived On":["Archivado el"],"Last Updated":["\u00daltima actualizaci\u00f3n"],"Duration":["Duraci\u00f3n"],"Summary":["Resumen"],"%d months":["%d meses"],"%s%% off":["%s%% de descuento"],"Number of months":["N\u00famero de meses"],"Discount Duration":["Duraci\u00f3n del descuento"],"Fixed Discount":["Descuento fijo"],"Percentage Discount":["Porcentaje de descuento"],"Choose a type":["Elige un tipo"],"Repeating":["Recurrente"],"Any Customer":["Cualquier cliente"],"Limit To A Specific Customer":["Limitar a un cliente espec\u00edfico"],"If none of these conditions are true":["Si ninguna de estas condiciones es verdadera"],"If any of these conditions are true":["Si alguna de estas condiciones es verdadera"],"If all of these conditions are true":["Si todas estas condiciones son verdaderas"],"Allow Coupon":["Permitir cup\u00f3n"],"Restrict this coupon":["Restringir este cup\u00f3n"],"Restrictions":["Restricciones"],"Find a product...":["Encuentra un producto..."],"Add Product Restriction":["A\u00f1adir restricci\u00f3n de producto"],"Product Restrictions":["Restricciones de productos"],"%d prices":["%d precios"],"Add Filter":["A\u00f1adir filtro"],"Select A Customer":["Seleccionar un cliente"],"Coupon is valid for":[],"Add A Restriction":["A\u00f1adir una restricci\u00f3n"],"Users must redeem this coupon by:":["Cup\u00f3n canjeable antes del:"],"Limit the end date when customers can redeem this coupon.":["L\u00edmite de fecha permitida para el uso del cup\u00f3n."],"End Date":["Fecha final"],"Minimum order subtotal":["Subtotal m\u00ednimo del pedido"],"No Minimum":["Sin m\u00ednimo"],"The minimum order subtotal amount required to apply this coupon.":[],"The number of times a single customer can use this coupon.":["Las veces que un \u00fanico cliente puede usar este cup\u00f3n."],"Usage limit per customer":["L\u00edmite de usos por cliente"],"Unlimited Usage":["Uso ilimitado"],"This limit applies across customers so it won't prevent a single customer from redeeming multiple times.":["L\u00edmite total de uso para todos los clientes. No impide que un cliente lo utilice varias veces."],"Usage limit per coupon":["L\u00edmite de uso por cup\u00f3n"],"Redemption Limits":["L\u00edmites de uso"],"time":["vez","veces"],"Limit the number of times this code can be redeemed.":["Limite la cantidad de veces que se puede canjear este c\u00f3digo."],"Usage Limit":["L\u00edmite de usos"],"Limit the usage of this promotion code":["Limitar el uso de este c\u00f3digo promocional"],"Leave this blank and we will generate one for you.":["D\u00e9jalo en blanco y generaremos uno por ti."],"New Promotion Code":["Nuevo c\u00f3digo promocional"],"Edit Promotion Code":["Editar c\u00f3digo promocional"],"Promotion created.":["Promoci\u00f3n creada."],"Promotion updated.":["Promoci\u00f3n actualizada."],"Customer created.":["Cliente creado."],"Hide %d Archived Promotion Codes":["Ocultar %d c\u00f3digo(s) promocional(es) archivados"],"Show %d Archived Promotion Codes":["Mostrar %d c\u00f3digo(s) promocional(es) archivados"],"Add Promotion Code":["A\u00f1adir c\u00f3digo promocional"],"Promotion Codes":["C\u00f3digos promocionales"],"Are you sure you want to delete this promotion code?":["\u00bfSeguro que quieres eliminar este c\u00f3digo promocional?"],"Delete this promotion code?":["\u00bfEliminar este c\u00f3digo promocional?"],"Uses":["Usos"],"Restored.":["Restaurado."],"Archived.":["Archivado."],"Are you sure you want to delete this coupon?":["\u00bfSeguro que quieres eliminar este cup\u00f3n?"],"Delete this coupon?":["\u00bfEliminar este cup\u00f3n?"],"Update Coupon":["Actualizar cup\u00f3n"],"Edit Coupon":["Editar cup\u00f3n"],"Coupon updated.":["Cup\u00f3n actualizado."],"Deleted.":["Eliminado."],"Create Coupon":["Crear cup\u00f3n"],"Customers will enter this discount code at checkout. Leave this blank and we will generate one for you.":["Los clientes ingresar\u00e1n este c\u00f3digo de descuento al finalizar la compra. D\u00e9jalo en blanco y generaremos uno por ti."],"Promotion Code":["C\u00f3digo promocional"],"This is an internal name for your coupon. This is not visible to customers.":["Este es el nombre interno para tu cup\u00f3n. No es visible para los clientes."],"Coupon Name":["Nombre del cup\u00f3n"],"Create New Coupon":["Crear nuevo cup\u00f3n"],"Coupon created.":["Cup\u00f3n creado."],"Disable":["Deshabilitar"],"This discount code will not be usable and all unsaved changes will be lost.":["Este c\u00f3digo de descuento no se podr\u00e1 utilizar y todos los cambios sin guardar se perder\u00e1n."],"Disable \"%s\"?":["\u00bfDesactivar \"%s\"?"],"Permanently delete %s? You cannot undo this action.":["\u00bfEliminar %s de forma permanente? No puede deshacer esta acci\u00f3n."],"This coupon will not be usable and all unsaved changes will be lost.":["Este cup\u00f3n no se podr\u00e1 utilizar y todos los cambios sin guardar se perder\u00e1n."],"Un-Archive %s? This will make the coupon useable again.":["\u00bfDesarchivar %s? Esto har\u00e1 que el cup\u00f3n se pueda volver a utilizar."],"Search for a user...":["Buscar un usuario..."],"Select a user":["Seleccionar un usuario"],"Upgrade Your Plan":["Mejora tu plan"],"Unlock revenue boosting features when you upgrade your plan!":["\u00a1Desbloquea funciones que aumentan los ingresos al actualizar tu plan!"],"You have unsaved changes. If you proceed, they will be lost.":["Tienes cambios sin guardar. Si contin\u00faas, se perder\u00e1n."],"Keep Update":["Mantener actualizaci\u00f3n"],"Delete Update":["Eliminar actualizaci\u00f3n"],"Manage Scheduled Update":["Administrar actualizaci\u00f3n programada"],"Decrease quantity":["Reducir cantidad"],"Increase quantity":["Aumentar cantidad"],"Change Product":["Cambiar producto"],"Change Product Decrease Quantity":["Cambiar producto y reducir cantidad"],"Change Product And Increase Quantity":["Cambiar producto y aumentar cantidad"],"Your storage space is low":["Su espacio de almacenamiento es bajo"],"of":["de"],"Search for a product...":["Buscar un producto..."],"Select a product":["Selecciona un producto"],"Add New Upgrade Group":["A\u00f1ade un nuevo grupo de mejora"],"Search for an upgrade group...":["Buscar un grupo de mejora\u2026"],"Select an upgrade group":["Seleccione un grupo de mejora"],"Add New Product":["A\u00f1adir nuevo producto"],"Variant Out of Stock.":["Variante sin stock."],"Search for a price...":["Busca un precio..."],"Select a price":["Selecciona un precio"],"%s available":["%s disponible"],"Ok":["Ok"],"Permalink":["Permalink"],"Add Media":["A\u00f1adir multimedia"],"Title":["T\u00edtulo"],"Leave empty if the image is purely decorative.":[],"Alternative Text":["Texto alternativo"],"Size":["Tama\u00f1o"],"Filename":["Nombre del archivo"],"Are you sure you wish to delete this media item? This cannot be undone.":["\u00bfSeguro que quieres eliminar este elemento multimedia? Esto no se puede deshacer."],"%s file":["%s archivo","%s archivos"],"Public":["P\u00fablico"],"Private":["Privado"],"SureCart Media":["Multimedia de SureCart"],"Please complete setting up your store. Its free and only takes a minute.":[],"Complete Setup!":["\u00a1Configuraci\u00f3n completada!"],"Next Page":["Siguiente p\u00e1gina"],"Previous Page":["Pagina anterior"],"Max":["Max"],"Upload Media":["Subir archivos"],"Something went wrong. Please try again.":["Algo ha salido mal. Int\u00e9ntalo de nuevo."],"Added":["A\u00f1adido"],"No items found":["No se han encontrado los art\u00edculos"],"Could not download the file.":["No se ha podido descargar el archivo."],"Any price":["Cualquier precio"],"Select date":["Seleccionar fecha"],"Please choose date to continue.":["Por favor, elige una fecha para continuar."],"Failed to un-cancel subscription.":["Error al cancelar la suscripci\u00f3n."],"Could not un-cancel subscription.":["No se ha podido anular la cancelaci\u00f3n de la suscripci\u00f3n."],"Start Plan":["Iniciar plan"],"Ended":["Terminado"],"Renews":["Se renueva"],"Begins":["Empieza"],"Cancels":["Cancela el"],"Activate":["Activar"],"Failed to start subscription.":["No se ha podido iniciar la suscripci\u00f3n."],"Could not start subscription.":["No se ha podido iniciar la suscripci\u00f3n."],"Are you sure you want to start the subscription? This will immediately charge the customer.":["\u00bfSeguro que quieres iniciar la suscripci\u00f3n? Esto cobrar\u00e1 inmediatamente al cliente."],"Don't Cancel":["No cancelar"],"Immediately":["Inmediatamente"],"\tAt end of current period":["\tAl final del periodo actual"],"Cancel Subscription":["Cancelar suscripci\u00f3n"],"Failed to cancel subscription.":["Error al cancelar la suscripci\u00f3n."],"Could not cancel subscription.":["No se ha podido cancelar la suscripci\u00f3n."],"Revoke":["Revocar"],"Unrevoke":["Restaurar"],"Purchases":["Compras"],"Load More":["Carga m\u00e1s"],"%s item":["%s art\u00edculo","%s art\u00edculos"],"None found.":["Nada encontrado."],"The associated subscription will also be cancelled.":["La suscripci\u00f3n asociada tambi\u00e9n se cancelar\u00e1."],"Qty":["Cantidad"],"Select All":["Seleccionar todo"],"Unselect All":["Quitar selecci\u00f3n"],"Revoke Purchase(s)":["Revocar compra(s)"],"Select a reason":["Selecciona un motivo"],"Reason":["Motivo"],"Refunds can take 5-10 days to appear on a customer's statement. Processor fees are typically not returned.":["Los reembolsos pueden tardar entre 5 y 10 d\u00edas en aparecer en el estado de cuenta del cliente. Las tarifas del procesador de pago generalmente no se devuelven."],"Refund Payment":["Pago reembolsado"],"Failed to create refund.":["Error al crear el reembolso."],"We were unable to issue a refund with this payment processor. Please check with your payment processor and try issuing the refund directly through the processor.":["No hemos podido emitir un reembolso con este procesador de pagos. Consulta con tu procesador de pagos e intenta emitir el reembolso directamente a trav\u00e9s del procesador."],"View charge on ":["Ver el cargo en "],"No charges":["Sin cargos"],"Charges":["Cargos"],"Refund":["Reembolso"],"Partially Refunded":["Reembolsado parcialmente"],"Complete Setup":["Completar configuraci\u00f3n"],"Invalid":["Inv\u00e1lido"],"VAT Number":["IVA\/VAT"],"ABN Number":["N\u00famero ABN"],"GST Number":["N\u00famero GST"],"Edit Tax ID":["Editar ID de impuestos"],"Add A Tax ID":["A\u00f1adir ID de impuestos"],"Tax":["Impuesto"],"This order has products that are not shippable to this address.":["Este pedido tiene productos que no pueden enviarse a esta direcci\u00f3n."],"This order requires shipping. Please enter an address.":["Este pedido requiere env\u00edo. Por favor escribe una direcci\u00f3n."],"Select a customer":["Seleccionar cliente"],"Select a Customer":["Seleccionar cliente"],"Last Name":["Apellido(s)"],"First Name":["Nombre"],"Add Customer":["A\u00f1adir cliente"],"Add some products to this order.":["A\u00f1ade productos a este pedido."],"Enter an Amount":["Escribe una cantidad"],"Change Amount":["Cambiar cantidad"],"Fee":["Tarifa"],"Starting in %s day":["Empezando en %s d\u00eda","Empezando en %s d\u00edas"],"Available: %d":["Disponible: %d"],"--":["\u2014"],"Choose":["Elegir"],"Current":["Actual"],"No payment methods found.":["No se han encontrado m\u00e9todos de pago."],"This customer does not have any payment methods that are reusable. This means we cannot charge this customer without them entering their payment details again. Please ask the customer to add a payment method to their account, or use a manual payment method.":[],"Remove":["Eliminar"],"Exp.":["Exp."],"Amount Due":["Importe pendiente"],"Trial":["Periodo de prueba"],"Add Coupon Code":["A\u00f1adir c\u00f3digo descuento"],"Enter Coupon Code":["Escribe el c\u00f3digo descuento"],"Order Tax":["Impuestos del pedido"],"Add Product":["A\u00f1adir producto"],"Update":["Actualizar"],"Edit Shipping & Tax Address":["Editar direcci\u00f3n de env\u00edo e impuestos"],"Add A Shipping Address":["A\u00f1adir direcci\u00f3n de env\u00edo"],"This will create an order that requires a manual payment (i.e. cash or check). Once you create this order it is not possible to pay it another way. Do you want to continue?":[],"Are you sure you want to continue?":["\u00bfSeguro que quieres continuar?"],"This will charge the customer %s.":["Cobraremos al cliente %s."],"Confirm Manual Payment":["Confirmar pago manual"],"Confirm Charge":["Confirmar cargo"],"Create Order":["Crear pedido"],"This order has already been created. Please create a new order.":["Este pedido ya ha sido creado. Por favor crea otro pedido."],"Order Complete":["Pedido completado"],"Order Created.":["Pedido creado."],"There are no cancellation reasons for this period.":["No hay motivos de cancelaci\u00f3n para este periodo."],"No Reason Provided":["Sin motivo especificado"],"Percentage Of Subscriptions Saved By Coupon":["Porcentaje de suscripciones recuperadas por cup\u00f3n"],"Saved Rate By Coupon":["Porcentaje recuperado por cup\u00f3n"],"Percentage Of Subscriptions Saved":["Porcentaje de suscripciones recuperadas"],"Saved Rate":["Porcentaje recuperado"],"Total Lost Cancellations":["Total de cancelaciones perdidas"],"Total Lost":["P\u00e9rdidas totales"],"Total Saved By Coupon":["Total recuperado por cup\u00f3n"],"Saved By Coupon":["Recuperado por cup\u00f3n"],"Total Saved Count":["Recuento total recuperado"],"Saved Count":["N\u00famero de recuperaciones"],"Total Cancellation Attempts":["Total de intentos de cancelaci\u00f3n"],"Priority":["Prioridad"],"Change":["Cambiar"],"Preview":["Previsualizar"],"Add Condition":["A\u00f1adir condici\u00f3n"],"Select An Upgrade Group":["Seleccione un grupo de mejora"],"Select A Product":["Selecciona un producto"],"Select A Price":["Selecciona un precio"],"Product price":["Precio del producto"],"Choose An Item":["Elige un art\u00edculo"],"Are you sure you want to discard this condition?":["\u00bfSeguro que quieres eliminar esta condici\u00f3n?"],"Fixed":["Fijo"],"Percentage":["Porcentaje"],"Discount Amount":["Cantidad descontada"],"Add a description that will get your customers excited about the offer.":[],"Bump Description":["Descripci\u00f3n de la oferta bump"],"Add a description":["A\u00f1adir una descripci\u00f3n"],"Set a custom call to action for the bump.":["Establezca una llamada a la acci\u00f3n personalizada para la oferta bump."],"Call to action":["Llamada a la acci\u00f3n"],"Optional":["Opcional"],"Custom Call to action":["Llamada a la acci\u00f3n personalizada"],"Add some conditions to display this bump.":["Configure algunas condiciones para mostrar esta oferta."],"Prices":["Precios"],"None of these items are in the cart.":["Ninguno de estos art\u00edculos est\u00e1 en el carrito."],"Any of these items are in the cart.":["Cualquiera de estos art\u00edculos est\u00e1 en el carrito."],"All of these items are in the cart.":["Todos estos art\u00edculos est\u00e1n en el carrito."],"Show Bump Offer If":["Mostrar oferta bump si"],"Add A Condition":["A\u00f1adir una condici\u00f3n"],"Display Conditions":["Condiciones de visualizaci\u00f3n"],"If enabled, the discount will be applied if the display conditions are satisfied, even if they do not click the bump. If disabled, the discount will only be applied if the customer clicks the order bump.":["Si est\u00e1 habilitado, el descuento se aplicar\u00e1 si se cumplen las condiciones de visualizaci\u00f3n, incluso si no hacen clic en la oferta bump. Si est\u00e1 deshabilitado, el descuento solo se aplicar\u00e1 si el cliente selecciona la oferta."],"Edit Bump":["Editar oferta bump"],"Save Order Bump":["Guardar oferta bump"],"Delete":["Eliminar"],"Bump un-archived.":["Oferta bump no archivada."],"Bump archived.":["Oferta bump archivada."],"Archive this bump? This bump will not be purchaseable and all unsaved changes will be lost.":["\u00bfArchivar esta oferta bump? Esta oferta no se podr\u00e1 comprar y todos los cambios sin guardar se perder\u00e1n."],"Un-Archive this bump? This will make the product purchaseable again.":["\u00bfDesarchivar esta oferta? Esto har\u00e1 que el producto se pueda comprar de nuevo."],"Bump deleted.":["Oferta bump eliminado."],"Permanently delete this order bump? You cannot undo this action.":["\u00bfEliminar permanentemente esta oferta bump? No puede deshacer esta acci\u00f3n."],"Order Bump updated.":["Oferta actualizada."],"This is the price for the bump.":["Este es el precio de la oferta bump."],"Order Bump Price":["Precio de la oferta bump"],"Bump Name":["Nombre de oferta bump"],"Create New Order Bump":["Crear nueva oferta bump"],"Something went wrong.":["Algo ha salido mal."],"Upcoming":["Pr\u00f3ximos"],"Email #%d":["Email # %d"],"Schedule":["Calendario"],"Metadata":["Metadatos"],"Coupon:":["Cup\u00f3n:"],"Discounts":["Descuentos"],"Applied Balance":["Saldo aplicado"],"Proration":["Prorrateo"],"View Order":["Ver pedido"],"Checkout Details":["Detalles de pago"],"Created on %s":["Creado el %s"],"Redeem By":["Canjeado por"],"Not Redeemed":["No canjeado"],"Redeemed":["Redimido"],"Discount":["Descuento"],"Address":["Direcci\u00f3n"],"adjust your settings":["ajusta tu configuraci\u00f3n"],"To adjust your abandoned checkout notifications,":["Para ajustar sus notificaciones de pago abandonado,"],"Copy":["Copiar"],"Copied!":["\u00a1Copiado!"],"Cart Recovery Link":["Enlace de recuperaci\u00f3n del carrito"],"Error copying to clipboard":["Error al copiar al portapapeles"],"Shipping & Tax Address":["Direcci\u00f3n de env\u00edo e impuestos"],"Enabled":["Activado"],"View Abandoned Checkout":["Ver pago abandonado"],"Notifications disabled.":["Notificaciones desactivadas."],"Notifications enabled.":["Notificaciones habilitadas."],"Something went wrong":["Algo sali\u00f3 mal"],"Percentage of revenue recovered":["Porcentaje de ingresos recuperados"],"Potential Revenue Recovery Rate":["Tasa potencial de recuperaci\u00f3n de ingresos"],"Revenue Recovery Rate":["Tasa de recuperaci\u00f3n de ingresos"],"Total recovered revenue":["Ingresos totales recuperados"],"Potential Recovered Revenue":[],"Recovered Revenue":["Ingresos recuperados"],"Total recoverable revenue":["Ingreso total recuperable"],"Recoverable Revenue":["Ingresos recuperables"],"Percentage of checkouts recovered":["Porcentaje de pagos recuperados"],"Potential Checkout Recovery Rate":["Tasa potencial de recuperaci\u00f3n de pago"],"Checkout Recovery Rate":["Tasa de recuperaci\u00f3n de pago"],"Total recovered checkouts":["Total de pagos recuperados"],"Potential Recovered Checkouts":["Posibles pagos recuperados"],"Recovered Checkouts":["Pagos recuperados"],"Total Recoverable Checkouts":["Total de pagos recuperables"],"Recoverable Checkouts":["Pagos recuperables"],"Last Month":["El mes pasado"],"This Month":["Este mes"],"Last Week":["La semana pasada"],"This Week":["Esta semana"],"Yesterday":["Ayer"],"Today":["Hoy"],"Last 30 Days":["\u00daltimos 30 d\u00edas"],"Home":["Inicio"],"You must first purchase something to access your dashboard.":["S\u00f3lo los usuarios con alguna compra pueden acceder al panel."],"It looks like you are not yet a customer.":["Parece que todav\u00eda no eres cliente."],"Sign in to your account":["Inicia sesi\u00f3n en tu cuenta"],"You have not been charged for this order.":["No se le ha cobrado por este pedido."],"Order Details":["Detalles del pedido"],"Not Published":["Sin publicar"],"Total Due":["Total adeudado"],"Total Due Today":["Total a pagar hoy"],"Subtotal":["Subtotal"],"Enter coupon code":["Introduce el c\u00f3digo del cup\u00f3n"],"Coupon Code":["C\u00f3digo descuento"],"Recommended":["Recomendado"],"Payment":["M\u00e9todo de pago"],"Your name":["Tu nombre"],"Your email address":["Tu email"],"Product description":["Descripci\u00f3n del producto"],"Product name":["Nombre del producto"],"Help":["Ayuda"],"Boost Your Revenue":["Aumenta tus ingresos"],"Store Settings":["Configuraci\u00f3n de la tienda"],"Your API key is incorrect. Please double-check it is correct and update it.":["Su clave API es incorrecta. Verifique que sea correcto y actual\u00edcelo."],"Version %s":["Versi\u00f3n %s"],"SureCart Status":["Estado de SureCart"],"Clear Account Cache":["Borrar cach\u00e9 de cuenta"],"Cache cleared.":["Cach\u00e9 borrado."],"This user is not a customer.":["Este usuario no es un cliente."],"Subscription Insights":["Detalles de las suscripciones"],"Search Products":["Buscar Productos"],"An upgrade groups is how you define upgrade and downgrade paths for your customers. It is based on products they have previously purchased.":["Un grupo de mejora es la forma en que define las rutas de actualizaci\u00f3n y degradaci\u00f3n para sus clientes. Se basa en productos que han comprado previamente."],"What are Upgrade Groups?":["\u00bfQu\u00e9 son los grupos de mejora?"],"Search product collections":[],"Save Settings":["Guardar ajustes"],"Plugin Settings":["Configuraci\u00f3n del complemento"],"Saved.":["Recuperado."],"Get Help":["Consigue ayuda"],"Create A Form":["Crear un formulario"],"Create A Product":["Crear un producto"],"Get started by creating your first product or creating a new checkout form.":["Comience creando su primer producto o creando un nuevo formulario de pago."],"Set Up My Store":["Configurar mi tienda"],"Commerce on WordPress has never been easier, faster, or more flexible.":["El comercio en WordPress nunca ha sido tan f\u00e1cil, r\u00e1pido o flexible."],"Welcome to SureCart!":["\u00a1Bienvenido a SureCart!"],"Complete Installation":["Instalaci\u00f3n completa"],"Api token":["Token Api"],"Enter your API Token":["Ingrese su token de API"],"Just one last step!":["\u00a1Solo un \u00faltimo paso!"],"Please enter an API key.":["Introduzca una clave de API."],"This Is A Duplicate Or Staging Site":[],"We will create a new connection for this site. This can happen if you are using a staging site or want to have more than one website connected to the same store.":[],"I want to have both sites connected to the store \"%s\".":[],"I Changed My Site Address":["He cambiado la direcci\u00f3n de mi web"],"We will update the SureCart connection to the your new url. This is often the case when you have changed your website url or have migrated your site to a new domain.":[],"I want to update this site connection to the store \"%s\".":[],"Learn More":["Saber m\u00e1s"],"Two sites that are telling SureCart they are the same site. Please let us know how to treat this website change.":[],"There are two websites connected to the same SureCart store.":[],"Search Licenses":["Buscar licencias"],"Invoices are similar to orders, but are used for payments and plan changes on active subscriptions. In the future you will be able to create an invoice to send out.":["Las facturas son similares a los pedidos, pero se utilizan para pagos y cambios de plan en suscripciones activas. En el futuro, podr\u00e1 crear una factura para enviar."],"What are Invoices?":["\u00bfQu\u00e9 son las facturas?"],"Search Customers":["Buscar clientes"],"Update your api token to change or update the connection to SureCart.":["Actualice su token de API para cambiar o actualizar la conexi\u00f3n a SureCart."],"Connection Settings":["Configuraci\u00f3n de conexi\u00f3n"],"Find My Api Token":["Buscar mi token Api"],"Enter your api token.":["Ingrese su token de API."],"Api Token":["Ficha API"],"Add your API token to connect to SureCart.":["Agregue su token API para conectarse a SureCart."],"Connection Details":["Detalles de conexi\u00f3n"],"Update Your Connection":["Actualice su conexi\u00f3n"],"We are currently working on our Pro features. Please check back once we release new revenue and time saving features.":["Actualmente estamos trabajando en nuestras funciones Pro. Vuelva a consultar una vez que lancemos nuevas funciones de ingresos y ahorro de tiempo."],"Coming soon...":["Muy pronto..."],"Cancellation Attempts":["Intentos de cancelaci\u00f3n"],"Get Subscription Saver":["Obtener Recuperador de Suscripciones"],"Automatically lower your subscription cancellation while making customers happy and saving more revenue with Subscription Saver.":["Reduce el n\u00famero de suscripciones canceladas, preserva tus ingresos y contenta a tus clientes con el Recuperador de Suscripciones."],"The easiest thing you can do to increase subscription revenue.":["Lo m\u00e1s f\u00e1cil que puede hacer para aumentar los ingresos por suscripci\u00f3n."],"Completely remove all plugin data when deleted. This cannot be undone.":["Elimine completamente todos los datos del complemento cuando se elimine. Esto no se puede deshacer."],"Remove Plugin Data":["Eliminar datos del complemento"],"Change your plugin uninstall settings.":["Cambie la configuraci\u00f3n de desinstalaci\u00f3n de su complemento."],"Uninstall":["Desinstalar"],"Use Stripe's Card Element instead of the Payment Element in all forms.":[],"Use the Stripe Card Element":["Usar el Elemento Tarjeta de Stripe"],"Opt-in to some legacy features of the plugin.":[],"Legacy Features":[],"This can slightly increase page load speed, but may require you to enable CORS headers for .js files on your CDN. Please check your checkout forms after you enable this option in a private browser window.":["Esto puede aumentar ligeramente la velocidad de carga de la p\u00e1gina, pero puede requerir que habilites los encabezados CORS para archivos .js en su CDN. Verifica los formularios de pago despu\u00e9s de habilitar esta opci\u00f3n en una ventana privada del navegador."],"Use JavaScript ESM Loader":["Utilice el cargador ESM de JavaScript"],"Change your plugin performance settings.":["Cambie la configuraci\u00f3n de rendimiento de su complemento."],"Performance":["Actuaci\u00f3n"],"Save":["Guardar"],"Advanced Settings":["Ajustes avanzados"],"Upgrade":["Mejorar"],"69% of shoppers abandon their checkouts before completing a purchase. Recover lost revenue with automated, high-converting emails.":["El 69% de los compradores abandonan sus pagos antes de completar una compra. Recupere los ingresos perdidos con emails automatizados de alta conversi\u00f3n."],"Recover lost sales with abandoned checkouts.":["Recupere las ventas perdidas con las cajas abandonadas."],"Log Out":["Salir"],"Open or close account menu":["Abrir o cerrar el men\u00fa de la cuenta"],"Back Home":["Volver"],"Two Column":["Dos columnas"],"Simple":["Simple"],"Sections":["Secciones"],"Full Page":[],"Donation":["Donaci\u00f3n"],"Update Password":["Actualizar contrase\u00f1a"],"Update Account Details":["Actualizar datos de la cuenta"],"Account Details":["Detalles de la cuenta"],"Payment Method":["M\u00e9todo de pago"],"Cancel":["Cancelar"],"New Plan":["Nuevo plan"],"Confirm":["Confirmar"],"Choose a Variation":["Elige una variante"],"Choose Variation":["Elegir variante"],"Enter An Amount":[],"Enter Amount":["Escribe una cantidad"],"By updating or canceling your plan, you agree to the <a href=\"%1$1s\" target=\"_blank\">%2$2s<\/a>":["Al actualizar o cancelar tu plan, aceptas la <a href=\"%1$1s\" target=\"_blank\"> %2$2s <\/a>"],"Privacy Policy":["Pol\u00edtica de privacidad"],"Terms":["T\u00e9rminos"],"By updating or canceling your plan, you agree to the <a href=\"%1$1s\" target=\"_blank\">%2$2s<\/a> and <a href=\"%3$3s\" target=\"_blank\">%4$4s<\/a>":["Al actualizar o cancelar tu plan, aceptas las <a href=\"%1$1s\" target=\"_blank\"> %2$2s <\/a> y las <a href=\"%3$3s\" target=\"_blank\"> %4$4s <\/a>"],"Change Payment Method":["Cambiar m\u00e9todo de pago"],"Update Payment Method":["Actualizar m\u00e9todo de pago"],"Current Plan":["Plan actual"],"Credit Card":["Tarjeta de cr\u00e9dito"],"Add Payment Method":["A\u00f1adir m\u00e9todo de pago"],"You cannot currently add a payment method. Please contact us for support.":["Actualmente no puedes a\u00f1adir un m\u00e9todo de pago. Por favor, cont\u00e1ctanos para obtener ayuda."],"You are not currently a customer.":["Actualmente no eres cliente."],"Switch to live mode.":["Cambiar al modo en vivo."],"You are not a test mode customer.":["No es un cliente en modo de prueba."],"Switch to test mode.":["Cambiar al modo de prueba."],"You are not a live mode customer.":["No eres un cliente del modo en vivo."],"Order History":["Historial de pedidos"],"License Keys":["Claves de licencia"],"Download":["Descargar"],"Update Billing Details":["Actualizar datos de facturaci\u00f3n"],"Billing Details":["Detalles de facturaci\u00f3n"],"Payment History":["Historial de pagos"],"You do not have permission to do this.":["Lo siento, no tienes permiso para hacer esto."],"Example Product Title":[],"Link to %s product collection.":[],"Unavailable":["No disponible"],"Sold Out":["Agotado"],"Unavailable For Purchase":["No disponible para comprar"],"Logout":["Cerrar sesi\u00f3n"],"Test Mode":["Modo de prueba"],"Update Plan":["Actualizar plan"],"[block rendering halted]":["[renderizaci\u00f3n de bloques detenida]"],"Apply":["Aplicar"],"Buy Now":["Comprar ahora"],"Limit result set to users with specific customer ids.":["Limite el conjunto de resultados a usuarios con identificadores de clientes espec\u00edficos."],"Limit result set to users with a customer.":["Limite el conjunto de resultados a los usuarios con un cliente."],"SureCart Layout":[],"SureCart Customer Dashboard":["Panel de cliente de SureCart"],"Template used for specific single SureCart collection pages.":[],"Product Collection: %s":[],"Template used for specific single SureCart product pages.":[],"This form is not available or has been deleted.":["Este formulario no est\u00e1 disponible o ha sido eliminado."],"Add To Cart":["A\u00f1adir al carrito"],"Pricing":["Precios"],"Invalid recaptcha score. Please try again.":["reCAPTCHA incorrecto. Por favor int\u00e9ntalo de nuevo."],"Invalid recaptcha check. Please try again.":["reCAPTCHA incorrecto. Por favor int\u00e9ntalo de nuevo."],"SureCart Product updated.":[],"SureCart Product scheduled.":[],"SureCart Product reverted to draft.":[],"SureCart Product published privately.":[],"SureCart Product published.":[],"SureCart Products list":[],"SureCart Products list navigation":[],"Search SureCart Products":[],"All SureCart Products":["Todos los productos de SureCart"],"View SureCart Product":[],"Edit SureCart Product":["Editar producto de SureCart"],"New SureCart Product":["Nuevo producto de SureCart"],"Add new SureCart Product":["A\u00f1adir nuevo producto de SureCart"],"SureCart Product\u0004Add New":["A\u00f1adir nuevo"],"post type singular name\u0004SureCart Product":[],"post type general name\u0004SureCart Products":[],"SureCart Product Collection updated.":[],"SureCart Product Collection scheduled.":[],"SureCart Product Collection reverted to draft.":[],"SureCart Product Collection published privately.":[],"SureCart Product Collection published.":[],"SureCart Product Collections list":[],"SureCart Product Collections list navigation":[],"Search SureCart Product Collections":[],"All SureCart Product Collections":[],"View SureCart Product Collection":[],"Edit SureCart Product Collection":[],"New SureCart Product Collection":[],"Add new SureCart Product Collection":[],"SureCart Product Collection\u0004Add New":[],"post type singular name\u0004SureCart Product Collection":[],"post type general name\u0004SureCart Product Collections":[],"(no title)":["(Sin t\u00edtulo)"],"Shortcode":["C\u00f3digo corto"],"Mode":["Modo"],"Published In":["Publicado en"],"Checkout Form updated.":["Formulario de pago actualizado."],"Checkout Form scheduled.":["Formulario de pago programado."],"Checkout Form reverted to draft.":["Formulario de pago revertido a borrador."],"Checkout Form published privately.":["Formulario de pago publicado en privado."],"Checkout Form published.":["Formulario de pago publicado."],"Checkout Forms list":["Lista de formularios de pago"],"Checkout Forms list navigation":["Navegaci\u00f3n de la lista de formularios de pago"],"Search Checkout Forms":["Buscar formularios de pago"],"All Checkout Forms":["Todos los formularios de pago"],"View Checkout Form":["Ver formulario de pago"],"Edit Checkout Form":["Editar formulario de pago"],"New Checkout Form":["Nuevo formulario de pago"],"Add new Checkout Form":["A\u00f1ade un nuevo formulario de pago"],"Checkout Form\u0004Add New":["A\u00f1adir nuevo"],"post type singular name\u0004Checkout Form":["Formulario de pago"],"post type general name\u0004Checkout Forms":["Formularios de pago"],"Cart updated.":["Carrito actualizado."],"Cart scheduled.":["Carrito programado."],"Cart reverted to draft.":["Carrito revertido a borrador."],"Cart published privately.":["Carrito publicado por privado."],"Cart published.":["Carrito publicado."],"Carts list":["Lista de carros"],"Carts list navigation":["Navegaci\u00f3n de la lista de carros"],"Filter checkout forms list":["Filtrar la lista de formularios de pago"],"No checkout forms found in Trash.":["No se encontraron formularios de pago en la papelera."],"No checkout forms found.":["No se han encontrado formularios de pago."],"Search Carts":["Buscar carros"],"All Carts":["Todos los carros"],"View Cart":["Ver carrito"],"Edit Cart":["Editar carrito"],"New Cart":["Carro nuevo"],"Add new Cart":["A\u00f1adir nuevo carrito"],"Cart\u0004Add New":["A\u00f1adir nuevo"],"post type singular name\u0004Cart":["Carro"],"post type general name\u0004Carts":["Carritos"],"Shop Page":["P\u00e1gina de tienda"],"Order Confirmation":["Confirmaci\u00f3n del pedido"],"Customer Dashboard":["Panel de control del cliente"],"Store Checkout":["\u00c1rea de pago"],"Deleting This is Restricted":["Eliminar esto no est\u00e1 permitido"],"To prevent misconfiguration, you cannot delete the default checkout page. Please deactivate SureCart to delete this page.":["Para evitar errores de configuraci\u00f3n no est\u00e1 permitido eliminar la p\u00e1gina de pago por defecto. Desactiva SureCart para eliminar esta p\u00e1gina."],"To prevent misconfiguration, you cannot delete the default checkout form. Please deactivate SureCart to delete this form.":["Para evitar errores de configuraci\u00f3n no est\u00e1 permitido eliminar el formulario de pago por defecto. Desactiva SureCart para eliminar este formulario."],"Shop page title\u0004Shop":["Tienda"],"Shop page slug\u0004shop":["tienda"],"Please troubleshoot the issue if integrations are important to your store.":[],"The SureCart webhook has received repeated errors.":["El webhook de Surecart ha recibido errores repetidamente."],"webhook connection is being monitored for errors.":[],"The SureCart webhook is currently disabled which can cause issues with integrations. This can happen automatically due to repeated errors, or could have been disabled manually. Please re-enable the webhook and troubleshoot the issue if integrations are important to your store.":[],"webhook is disabled.":["webhook deshabilitado."],"Webhooks":["Webhooks"],"Webhooks are working normally.":["Webhooks funcionando con normalidad."],"Troubleshoot Connection":[],"Webhook processing is working normally.":["Webhooks funcionando con normalidad."],"%d of your webhooks failed to process on your site. Please check your error logs to make sure errors did not occur in webhook processing.":["%d de tus webhooks est\u00e1n fallando en tu web. Por favor comprueba el registro de errores para asegurar que el error no est\u00e9 ocurriendo en el procesado del webhook."],"SureCart Webhooks Processing":[],"SureCart Webhooks Processing Error":[],"API for is not reachable.":[],"API for is reachable.":[],"Webhooks Connection":["Conexi\u00f3n webhook"],"API connectivity":["Conectividad API"],"Working":["Funcionando"],"%d Unprocessed webhooks":["%d Webhooks sin procesar"],"Webhooks Processing":["Webhooks procesando"],"Not registered":["No registrado"],"Registered Webhook URL":["URL webhook registrada"],"Store URL":["URL de la tienda"],"Store ID":["ID de la tienda"],"Not connected":["No conectado"],"Connected":["Conectado"],"API Connectivity":["Conectividad API"],"<p>The Gutenberg plugin is currently active. SureCart blocks might not perform as expected within the block editor. If you encounter any issues, consider disabling the Gutenberg plugin.<p>":[],"Your store does not appear to be using a secure connection. A secure connection (https) is required to use SureCart to process live transactions.":["Su tienda no parece estar usando una conexi\u00f3n segura. Se requiere una conexi\u00f3n segura (https) para usar SureCart para procesar transacciones en vivo."],"Add to menu":["A\u00f1adir al men\u00fa"],"Select all":["Seleccionar todo"],"No product collections added.":[],"Deleted":["Eliminado"],"Custom Forms":["Formularios"],"Forms":["Formularios"],"Customer Area":["\u00c1rea de clientes"],"Cancellations":["Cancelaciones"],"Cancellation Insights":["Perspectivas de cancelaci\u00f3n"],"Upgrade Groups":["Grupos de mejora"],"Order Bumps":["Ofertas bump"],"Add New":["A\u00f1adir nuevo"],"Checkouts":["Checouts"],"Claim Account":["Reclamar cuenta"],"Complete Signup":["Registro completo"],"Get Started":["Empezar"],"Visit Store":["Visitar tienda"],"Visit SureCart Store":["Visitar tienda de SureCart"],"(GMT+13:00) Tokelau Is.":[],"(GMT+13:00) Samoa":[],"(GMT+13:00) Nuku'alofa":[],"(GMT+12:45) Chatham Is.":[],"(GMT+12:00) Wellington":[],"(GMT+12:00) Marshall Is.":[],"(GMT+12:00) Kamchatka":[],"(GMT+12:00) Fiji":[],"(GMT+12:00) Auckland":[],"(GMT+11:00) Srednekolymsk":[],"(GMT+11:00) Solomon Is.":[],"(GMT+11:00) New Caledonia":[],"(GMT+11:00) Magadan":[],"(GMT+10:00) Vladivostok":[],"(GMT+10:00) Sydney":[],"(GMT+10:00) Port Moresby":[],"(GMT+10:00) Melbourne":[],"(GMT+10:00) Hobart":[],"(GMT+10:00) Guam":[],"(GMT+10:00) Canberra":[],"(GMT+10:00) Brisbane":[],"(GMT+09:30) Darwin":[],"(GMT+09:30) Adelaide":[],"(GMT+09:00) Yakutsk":[],"(GMT+09:00) Tokyo":[],"(GMT+09:00) Seoul":[],"(GMT+09:00) Sapporo":[],"(GMT+09:00) Osaka":[],"(GMT+08:00) Ulaanbaatar":[],"(GMT+08:00) Taipei":[],"(GMT+08:00) Singapore":[],"(GMT+08:00) Perth":[],"(GMT+08:00) Kuala Lumpur":[],"(GMT+08:00) Irkutsk":[],"(GMT+08:00) Hong Kong":[],"(GMT+08:00) Chongqing":[],"(GMT+08:00) Beijing":[],"(GMT+07:00) Novosibirsk":[],"(GMT+07:00) Krasnoyarsk":[],"(GMT+07:00) Jakarta":[],"(GMT+07:00) Hanoi":[],"(GMT+07:00) Bangkok":[],"(GMT+06:30) Rangoon":[],"(GMT+06:00) Urumqi":[],"(GMT+06:00) Dhaka":[],"(GMT+06:00) Astana":[],"(GMT+06:00) Almaty":[],"(GMT+05:45) Kathmandu":[],"(GMT+05:30) Sri Jayawardenepura":[],"(GMT+05:30) New Delhi":[],"(GMT+05:30) Mumbai":[],"(GMT+05:30) Kolkata":[],"(GMT+05:30) Chennai":[],"(GMT+05:00) Tashkent":[],"(GMT+05:00) Karachi":[],"(GMT+05:00) Islamabad":[],"(GMT+05:00) Ekaterinburg":[],"(GMT+04:30) Kabul":[],"(GMT+04:00) Yerevan":[],"(GMT+04:00) Tbilisi":[],"(GMT+04:00) Samara":[],"(GMT+04:00) Muscat":[],"(GMT+04:00) Baku":[],"(GMT+04:00) Abu Dhabi":[],"(GMT+03:30) Tehran":[],"(GMT+03:00) Volgograd":[],"(GMT+03:00) St. Petersburg":[],"(GMT+03:00) Riyadh":[],"(GMT+03:00) Nairobi":[],"(GMT+03:00) Moscow":[],"(GMT+03:00) Minsk":[],"(GMT+03:00) Kuwait":[],"(GMT+03:00) Istanbul":[],"(GMT+03:00) Baghdad":[],"(GMT+02:00) Vilnius":[],"(GMT+02:00) Tallinn":[],"(GMT+02:00) Sofia":[],"(GMT+02:00) Riga":[],"(GMT+02:00) Pretoria":[],"(GMT+02:00) Kyiv":[],"(GMT+02:00) Kaliningrad":[],"(GMT+02:00) Jerusalem":[],"(GMT+02:00) Helsinki":[],"(GMT+02:00) Harare":[],"(GMT+02:00) Cairo":[],"(GMT+02:00) Bucharest":[],"(GMT+02:00) Athens":[],"(GMT+01:00) Zurich":[],"(GMT+01:00) Zagreb":[],"(GMT+01:00) West Central Africa":[],"(GMT+01:00) Warsaw":[],"(GMT+01:00) Vienna":[],"(GMT+01:00) Stockholm":[],"(GMT+01:00) Skopje":[],"(GMT+01:00) Sarajevo":[],"(GMT+01:00) Rome":[],"(GMT+01:00) Prague":[],"(GMT+01:00) Paris":[],"(GMT+01:00) Madrid":[],"(GMT+01:00) Ljubljana":[],"(GMT+01:00) Dublin":[],"(GMT+01:00) Copenhagen":[],"(GMT+01:00) Casablanca":[],"(GMT+01:00) Budapest":[],"(GMT+01:00) Brussels":[],"(GMT+01:00) Bratislava":[],"(GMT+01:00) Bern":[],"(GMT+01:00) Berlin":[],"(GMT+01:00) Belgrade":[],"(GMT+01:00) Amsterdam":[],"(GMT+00:00) UTC":[],"(GMT+00:00) Monrovia":[],"(GMT+00:00) London":[],"(GMT+00:00) Lisbon":[],"(GMT+00:00) Edinburgh":[],"(GMT-01:00) Cape Verde Is.":[],"(GMT-01:00) Azores":[],"(GMT-02:00) Mid-Atlantic":[],"(GMT-03:00) Montevideo":[],"(GMT-03:00) Greenland":[],"(GMT-03:00) Buenos Aires":[],"(GMT-03:00) Brasilia":[],"(GMT-03:30) Newfoundland":[],"(GMT-04:00) Santiago":[],"(GMT-04:00) Puerto Rico":[],"(GMT-04:00) La Paz":[],"(GMT-04:00) Georgetown":[],"(GMT-04:00) Caracas":[],"(GMT-04:00) Atlantic Time (Canada)":[],"(GMT-05:00) Quito":[],"(GMT-05:00) Lima":[],"(GMT-05:00) Bogota":[],"(GMT-06:00) Saskatchewan":[],"(GMT-06:00) Monterrey":[],"(GMT-06:00) Mexico City":[],"(GMT-06:00) Guadalajara":[],"(GMT-06:00) Central America":[],"(GMT-07:00) Mazatlan":[],"(GMT-07:00) Chihuahua":[],"(GMT-08:00) Tijuana":[],"(GMT-11:00) Midway Island":[],"(GMT-11:00) American Samoa":[],"(GMT-12:00) International Date Line West":[],"(GMT-05:00) Indiana (East)":[],"(GMT-05:00) Eastern Time (US & Canada)":[],"(GMT-05:00) America\/Kentucky\/Monticello":[],"(GMT-05:00) America\/Kentucky\/Louisville":[],"(GMT-05:00) America\/Indiana\/Winamac":[],"(GMT-05:00) America\/Indiana\/Vincennes":[],"(GMT-05:00) America\/Indiana\/Vevay":[],"(GMT-05:00) America\/Indiana\/Petersburg":[],"(GMT-05:00) America\/Indiana\/Marengo":[],"(GMT-05:00) America\/Detroit":[],"(GMT-06:00) Central Time (US & Canada)":[],"(GMT-06:00) America\/North_Dakota\/New_Salem":[],"(GMT-06:00) America\/North_Dakota\/Center":[],"(GMT-06:00) America\/North_Dakota\/Beulah":[],"(GMT-06:00) America\/Menominee":[],"(GMT-06:00) America\/Indiana\/Tell_City":[],"(GMT-06:00) America\/Indiana\/Knox":[],"(GMT-07:00) Mountain Time (US & Canada)":[],"(GMT-07:00) Arizona":[],"(GMT-07:00) America\/Boise":[],"(GMT-08:00) Pacific Time (US & Canada)":[],"(GMT-09:00) America\/Yakutat":[],"(GMT-09:00) America\/Sitka":[],"(GMT-09:00) America\/Nome":[],"(GMT-09:00) America\/Metlakatla":[],"(GMT-09:00) America\/Anchorage":[],"(GMT-09:00) Alaska":[],"(GMT-10:00) Hawaii":[],"(GMT-10:00) America\/Adak":[],"%s = human-readable time difference\u0004%s ago":["hace %s"],"This is outside the allowed amount.":[],"max count reached":["recuento m\u00e1ximo alcanzado"],"must be at least 12 hours between emails":["debe haber al menos 12 horas entre emails"],"must be less than 1 week":["debe ser menos de 1 semana"],"must be 15 minutes or more":["debe ser de 15 minutos o m\u00e1s"],"Only one active abandoned checkout is allowed at a time":["Solo se permite un pago abandonado activo a la vez"],"It is not a valid hex color.":["No es un color hexadecimal v\u00e1lido."],"It is not valid or enabled.":["No es v\u00e1lido o no est\u00e1 habilitado."],"It is expired.":["Est\u00e1 caducado."],"It does not match parent currency.":["No coincide con la moneda principal."],"It is archived.":["Est\u00e1 archivado."],"Must be even":["Debe ser par"],"Must be odd":["Debe ser impar"],"Wrong length.":["Longitud incorrecta."],"Must be smaller.":["Debe ser m\u00e1s peque\u00f1o."],"Must be larger.":["Debe ser m\u00e1s grande."],"Too short.":["Demasiado corto."],"Too long.":["Demasiado largo."],"Must be accepted.":["Debe ser aceptado."],"This doesn't match":["No coincide"],"This is reserved.":["Esto est\u00e1 reservado."],"This is not included in the list.":["Esto no est\u00e1 incluido en la lista."],"Validation failed":["Validaci\u00f3n fallida"],"Must be an integer":["Debe ser un entero"],"Not a number":["No un n\u00famero"],"Not found.":["No encontrado."],"Must be blank":["Debe estar en blanco"],"Can't be blank.":["No puede estar en blanco."],"Can't be empty.":["No puede estar vac\u00edo."],"There were some validation errors.":["Ha ocurrido un error de validaci\u00f3n."],"Invalid.":["Inv\u00e1lido."],"%s is no longer purchasable.":["%s ya no se puede comprar."],"%s is too high.":["%s es demasiado alto."],"%s is not available with subscriptions.":["%s no est\u00e1 disponible con suscripciones."],"%s must be a number.":["%s debe ser un n\u00famero."],"%s can't be blank.":["%s no puede estar en blanco."],"This email is already in use.":["Este email ya se est\u00e1 utilizando."],"The quantity returned is greater than the quantity fulfilled.":["La cantidad devuelta es mayor que la cantidad original."],"The currency of this product's price is different from the store currency.":[],"This product is no longer available for purchase.":["Producto no disponible para comprar."],"This product is out of stock.":["Producto fuera de stock."],"This amount is outside the allowed amount.":[],"You have exceeded the purchase limit for this product.":["Has alcanzado el l\u00edmite de compra para este producto."],"This payment method cannot be deleted because there are no other valid or reusable saved payment methods available.":["Este m\u00e9todo de pago no puede ser eliminado porque no hay ning\u00fan otro m\u00e9todo guardado disponible."],"This payment method is not valid or reusable.":["Este m\u00e9todo de pago no es v\u00e1lido o reutilizable."],"This coupon is not applicable to this subscription.":["Este cup\u00f3n no es aplicable a esta suscripci\u00f3n."],"The minimum amount must be a number.":["La cantidad m\u00ednima debe ser un n\u00famero."],"The minimum amount must be greater than or equal to zero.":[],"The maximum amount must be a number.":["La cantidad m\u00e1xima debe ser un n\u00famero."],"The maximum amount must be greater than or equal to the minimum amount.":[],"The minimum weight must be a number.":["El peso m\u00ednimo debe ser un n\u00famero."],"The minimum weight must be greater than or equal to zero.":[],"The maximum weight must be a number.":["El peso m\u00e1ximo debe ser un n\u00famero."],"The maximum weight must be greater than or equal to the minimum weight.":[],"The shipping method cannot be blank.":["El m\u00e9todo de env\u00edo no puede estar vac\u00edo."],"The shipping weight unit is not valid.":[],"The shipping weight unit cannot be blank.":[],"The shipping rate type is not valid.":[],"The shipping rate type cannot be blank.":[],"The shipping method description is too long. Please enter a shorter description.":[],"The shipping method name is already in use.":[],"The shipping method name is too long. Please enter a shorter name.":[],"The shipping method name cannot be blank.":[],"The selected countries are not valid.":["Los pa\u00edses seleccionados no son v\u00e1lidos."],"The selected countries are already used in another shipping zone.":[],"The shipping zone name is too long. Please enter a shorter name.":[],"The shipping zone name is already in use.":[],"The shipping zone name cannot be blank.":[],"The shipping profile name is too long. Please enter a shorter name.":[],"The shipping profile name cannot be blank.":[],"The shipping method name is already in use .":[],"We don't currently ship to your address.":["Por el momento no enviamos a esta direcci\u00f3n."],"This URL part is already taken. Please choose another URL part.":[],"The name cannot be blank.":["El nombre no puede dejarse en blanco."],"This name is already taken. Please choose another name.":["Este nombre ya est\u00e1 siendo usado. Por favor elige otro nombre."],"You have reached the maximum number of options for this product.":[],"This option name is already taken. Please use a different name.":[],"You have already requested a code in the last 60 seconds. Please wait before requesting again.":["Ya has solicitado un c\u00f3digo en los \u00faltimos 60 segundos. Por favor espera antes de volver a solicitarlo."],"This file type is not supported.":["Este tipo de archivo no es compatible."],"You cannot delete this media item because it is currently being used.":["No puede eliminar este elemento multimedia porque se est\u00e1 utilizando actualmente."],"You cannot enable taxes unless a valid tax address is provided":["No puede habilitar los impuestos a menos que se proporcione una direcci\u00f3n fiscal v\u00e1lida"],"You cannot enable EU Micro Exemption if your address is outside of the EU.":["No puede habilitar EU Micro Exemption si su direcci\u00f3n est\u00e1 fuera de la UE."],"You are already collecting tax for this zone.":["Ya est\u00e1s recaudando impuestos para esta zona."],"The maximum price must be greater than the minimum price.":["El precio m\u00e1ximo debe ser mayor que el precio m\u00ednimo."],"The minimum price must be smaller.":["El precio m\u00ednimo debe ser menor."],"The maximum price must be smaller.":["El precio m\u00e1ximo debe ser menor."],"This price is currently being used in subscriptions or checkout sessions. Please archive the price and create another one.":["Este precio se est\u00e1 utilizando actualmente en suscripciones o sesiones de pago. Archiva el precio y crea otro."],"This product is no longer purchaseable.":["Este producto ya no se puede comprar."],"You can only apply this offer once.":["Solo puedes aplicar esta oferta una vez."],"This prefix is too short. Please enter a longer prefix.":["Este prefijo es demasiado corto. Introduzca un prefijo m\u00e1s largo."],"This prefix is too long. Please enter a shorter prefix.":["Este prefijo es demasiado largo. Introduzca un prefijo m\u00e1s corto."],"Please double-check your prefix does not contain any spaces, underscores, dashes or special characters.":["Vuelve a verificar que el prefijo no contiene espacios, guiones bajos, guiones ni caracteres especiales."],"This is not a valid coupon code":["Este no es un c\u00f3digo de cup\u00f3n v\u00e1lido"],"This discount code does not apply to this currency.":["Este c\u00f3digo de descuento no se aplica a esta moneda."],"This coupon has expired.":["Este cup\u00f3n ha caducado."],"Your postal code is not valid.":["El c\u00f3digo postal no es v\u00e1lido."],"Failed to update. Please check for errors and try again.":["Error al actualizar. Compruebe si hay errores y vuelva a intentarlo."],"This coupon code is invalid.":["Este c\u00f3digo de cup\u00f3n no es v\u00e1lido."],"The prices in this checkout session have changed. Please recheck it before submitting again.":["Los precios en esta sesi\u00f3n de pago han cambiado. Vuelva a comprobarlo antes de enviarlo de nuevo."],"Please enter a valid tax number.":["Introduzca un n\u00famero de identificaci\u00f3n fiscal v\u00e1lido."],"Please add a valid address with necessary shipping information.":[],"The product image must be an image.":["La imagen del producto debe ser una imagen."],"This product has prices that are currently being used. Please archive the product instead if it is not already archived.":["Este producto tiene precios que se est\u00e1n utilizando actualmente. En su lugar, archive el producto si a\u00fan no est\u00e1 archivado."],"There are no processors to make the payment. Please contact us for assistance.":["No hay procesadores para realizar el pago. P\u00f3ngase en contacto con nosotros para obtener ayuda."],"This promotion code already exists. Please archive the old code or use a different code.":["Este c\u00f3digo promocional ya existe. Archive el c\u00f3digo anterior o utilice un c\u00f3digo diferente."],"A price with this currency and recurring interval already exists. Please create a new product to create this price.":["Ya existe un precio con esta moneda e intervalo recurrente. Cree un nuevo producto para crear este precio."],"The compare at price must be greater than the price.":["El precio de comparaci\u00f3n debe ser mayor que el precio."],"The price cannot be blank.":["El precio no puede estar en blanco."],"You cannot add a one-time product to a subscription.":["No puedes a\u00f1adir un producto de pago \u00fanico a una suscripci\u00f3n."],"The payment method is not valid (chargeable fingerprint blank). Please double-check it and try again.":["El m\u00e9todo de pago no es v\u00e1lido. Por favor int\u00e9ntalo de nuevo."],"This payment method cannot be used for subscriptions.":["Este m\u00e9todo de pago no se puede utilizar para suscripciones."],"The refund amount is greater than the refundable amount.":["El monto del reembolso es mayor que el monto reembolsable."],"This download cannot be removed or archived when it is set as the current release.":["Esta descarga no se puede eliminar ni archivar cuando se configura como la versi\u00f3n actual."],"Please select a customer.":["Por favor elige un cliente."],"This coupon is not valid. Please double-check it and try again.":["Este cup\u00f3n no es v\u00e1lido. Vuelve a comprobarlo e int\u00e9ntalo de nuevo."],"Please fill out your address.":["Por favor completa la direcci\u00f3n."],"One of these products is no longer purchaseable.":["Alguno de los productos ya no puede comprarse."],"Please add at least one product.":["Agregue al menos un producto."],"Invalid Checkout":["Checkout no v\u00e1lido"],"Invalid promotion code.":["C\u00f3digo promocional no v\u00e1lido."],"The price is already being used in subscriptions or checkout sessions. Please archive the price and create another one.":["El precio ya se est\u00e1 utilizando en suscripciones o sesiones de pago. Archiva el precio y crea otro."],"This coupon is for a different currency and cannot be applied.":["Este cup\u00f3n es para una moneda diferente y no se puede aplicar."],"Failed to save coupon.":["No se ha podido guardar el cup\u00f3n."],"Could not complete the request. Please try again.":["No se ha podido completar la solicitud. Int\u00e9ntalo de nuevo."],"Repeat payment":["Repetir pago"],"Pay what you want":["Paga lo que quieras"],"Amount":["Cantidad"],"Percent Off":["Porcentaje descontado"],"Amount Off":["Cantidad de descuento"],"Promotion code":["El c\u00f3digo promocional"],"Error.":["Error."],"You must spend at least %s to use this coupon.":[],"You must enter a quantity greater than or equal to %s":["Debes introducir una cantidad mayor o igual que %s"],"The product is out of stock. Please remove it from your cart.":["Producto fuera de stock. Por favor elim\u00ednalo del carrito."],"You must enter an amount between %1$s and %2$s":["Debe ingresar una cantidad entre %1$s y %2$s"],"%s is invalid.":["%s no es v\u00e1lido."],"Zambian Kwacha":["Kwacha zambiano"],"Yemeni Rial":["Rial yemen\u00ed"],"West African Cfa Franc":["Franco Cfa de \u00c1frica Occidental"],"Vietnamese \u0110\u1ed3ng":["\u0110\u1ed3ng vietnamita"],"Vanuatu Vatu":["Vanuatu Vatu"],"Uzbekistan Som":["Som uzbeko"],"Uruguayan Peso":["Peso uruguayo"],"United States Dollar":["D\u00f3lar de los Estados Unidos"],"United Arab Emirates Dirham":["D\u00edrham de los Emiratos \u00c1rabes Unidos"],"Ukrainian Hryvnia":["Grivna ucraniana"],"Ugandan Shilling":["Chel\u00edn ugand\u00e9s"],"Turkish Lira":["Lira turca"],"Trinidad and Tobago Dollar":["D\u00f3lar de Trinidad y Tobago"],"Tongan Pa\u02bbanga":["Pa\u02bbanga de Tonga"],"Thai Baht":["Baht tailand\u00e9s"],"Tanzanian Shilling":["Chel\u00edn tanzano"],"Tajikistani Somoni":["Somoni de Tayikist\u00e1n"],"S\u00e3o Tom\u00e9 and Pr\u00edncipe Dobra":["S\u00e3o Tom\u00e9 y Pr\u00edncipe Dobra"],"Swiss Franc":["Franco suizo"],"Swedish Krona":["Corona sueca"],"Swazi Lilangeni":["Lilangeni suazi"],"Surinamese Dollar":["D\u00f3lar surinam\u00e9s"],"Sri Lankan Rupee":["Rupia de Sri Lanka"],"South Korean Won":["Won surcoreano"],"South African Rand":["Rand sudafricano"],"Somali Shilling":["Chel\u00edn somal\u00ed"],"Solomon Islands Dollar":["D\u00f3lar de las Islas Salom\u00f3n"],"Singapore Dollar":["Dolar de Singapur"],"Sierra Leonean Leone":["Sierra Leona Leona"],"Seychellois Rupee":["Rupia de Seychelles"],"Serbian Dinar":["Dinar serbio"],"Saudi Riyal":["Rial saudita"],"Samoan Tala":["Tala de Samoa"],"Saint Helenian Pound":["Libra de Santa Helena"],"Rwandan Franc":["Franco ruand\u00e9s"],"Russian Ruble":["Rublo ruso"],"Romanian Leu":["Leu rumano"],"Qatari Riyal":["Riyal qatar\u00ed"],"Polish Z\u0142oty":["Z\u0142oty polaco"],"Philippine Peso":["Peso filipino"],"Peruvian Sol":["Sol peruano"],"Paraguayan Guaran\u00ed":["Guaran\u00ed paraguayo"],"Papua New Guinean Kina":["Kina de Pap\u00faa Nueva Guinea"],"Panamanian Balboa":["Balboa paname\u00f1o"],"Pakistani Rupee":["Rupia pakistan\u00ed"],"Norwegian Krone":["Corona noruega"],"Nigerian Naira":["Naira Nigeriana"],"Nicaraguan C\u00f3rdoba":["C\u00f3rdoba nicarag\u00fcense"],"New Zealand Dollar":["Dolar de Nueva Zelanda"],"New Taiwan Dollar":["Nuevo d\u00f3lar taiwan\u00e9s"],"Netherlands Antillean Gulden":["Flor\u00edn antillano neerland\u00e9s"],"Nepalese Rupee":["Rupia nepal\u00ed"],"Namibian Dollar":["D\u00f3lar namibio"],"Myanmar Kyat":["Kyat birmano"],"Mozambican Metical":["Metical mozambique\u00f1o"],"Moroccan Dirham":["D\u00edrham marroqu\u00ed"],"Mongolian T\u00f6gr\u00f6g":["T\u00f6gr\u00f6g mongol"],"Moldovan Leu":["Leu moldavo"],"Mexican Peso":["Peso mexicano"],"Mauritian Rupee":["Rupia de Mauricio"],"Mauritanian Ouguiya":["Uguiya mauritana"],"Maldivian Rufiyaa":["Rufiyaa de Maldivas"],"Malaysian Ringgit":["Ringgit malayo"],"Malawian Kwacha":["Kwacha de Malawi"],"Macedonian Denar":["Denar macedonio"],"Macanese Pataca":["Pataca de Macao"],"Liberian Dollar":["D\u00f3lar liberiano"],"Lesotho Loti":["Lesoto loti"],"Lebanese Pound":["Libra libanesa"],"Lao Kip":["Kip laosiano"],"Kyrgyzstani Som":["Som kirgu\u00eds"],"Kenyan Shilling":["Chel\u00edn keniano"],"Kazakhstani Tenge":["Tenge kazajo"],"Japanese Yen":["Yen japon\u00e9s"],"Jamaican Dollar":["D\u00f3lar jamaiquino"],"Israeli New Sheqel":["Nuevo s\u00e9quel israel\u00ed"],"Indonesian Rupiah":["Rupia indonesia"],"Indian Rupee":["Rupia india"],"Icelandic Kr\u00f3na":["Corona islandesa"],"Hungarian Forint":["Flor\u00edn h\u00fangaro"],"Hong Kong Dollar":["Dolar de Hong Kong"],"Honduran Lempira":["Lempira hondure\u00f1o"],"Haitian Gourde":["Gourde haitiano"],"Guyanese Dollar":["D\u00f3lar guyan\u00e9s"],"Guinean Franc":["Franco guineano"],"Guatemalan Quetzal":["Quetzal guatemalteco"],"Gibraltar Pound":["Libra gibraltare\u00f1a"],"Georgian Lari":["Lari georgiano"],"Gambian Dalasi":["Dalasi gambiano"],"Fijian Dollar":["D\u00f3lar fiyiano"],"Falkland Pound":["Libra malvinense"],"Euro":["Euro"],"Ethiopian Birr":["Birr et\u00edope"],"Egyptian Pound":["Libra egipcia"],"East Caribbean Dollar":["D\u00f3lar del Caribe Oriental"],"Dominican Peso":["Peso dominicano"],"Djiboutian Franc":["Franco yibutiano"],"Danish Krone":["Corona danesa"],"Czech Koruna":["Corona checa"],"Croatian Kuna":["Kuna croata"],"Costa Rican Col\u00f3n":["Col\u00f3n costarricense"],"Congolese Franc":["Franco congole\u00f1o"],"Comorian Franc":["Franco comorano"],"Colombian Peso":["Peso colombiano"],"Chinese Renminbi Yuan":["Yuan renminbi chino"],"Chilean Peso":["Peso chileno"],"Cfp Franc":["Franco CFP"],"Central African Cfa Franc":["Franco Cfa de \u00c1frica Central"],"Cayman Islands Dollar":["D\u00f3lar de las Islas Caim\u00e1n"],"Cape Verdean Escudo":["Escudo caboverdiano"],"Canadian Dollar":["Dolar canadiense"],"Cambodian Riel":["Riel camboyano"],"Burundian Franc":["Franco de Burundi"],"Bulgarian Lev":["Lev b\u00falgaro"],"Brunei Dollar":["D\u00f3lar de Brun\u00e9i"],"British Pound":["Libra brit\u00e1nica"],"Brazilian Real":["Real brasile\u00f1o"],"Botswana Pula":["Botsuana Pula"],"Bosnia and Herzegovina Convertible Mark":["Marco bosnio y herzegovino convertible"],"Bolivian Boliviano":["Boliviano Boliviano"],"Bermudian Dollar":["D\u00f3lar bermude\u00f1o"],"Belize Dollar":["D\u00f3lar de Belice"],"Belarusian Ruble":["Rublo bielorruso"],"Barbadian Dollar":["D\u00f3lar de Barbados"],"Bangladeshi Taka":["Taka de Bangladesh"],"Bahamian Dollar":["D\u00f3lar bahame\u00f1o"],"Azerbaijani Manat":["Manat azerbaiyano"],"Australian Dollar":["D\u00f3lar australiano"],"Aruban Florin":["Flor\u00edn arube\u00f1o"],"Armenian Dram":["Dram armenio"],"Argentine Peso":["Peso argentino"],"Angolan Kwanza":["Kwanza angole\u00f1o"],"Algerian Dinar":["Dinar argelino"],"Albanian Lek":["Lek alban\u00e9s"],"No theme is defined for this template.":[],"Display all individual product collections content unless a custom template has been applied.":[],"Display all individual product collections unless a custom template has been applied.":[],"Template name\u0004Product Collections":[],"Template name\u0004SureCart Product Collections":[],"Display all individual products content unless a custom template has been applied.":[],"Display all individual products unless a custom template has been applied.":[],"Template name\u0004Products":[],"Template name\u0004SureCart Products":[],"Your email and cart are saved so we can send email reminders about this order.":["Tu email y carrito se guardan para que podamos enviarte recordatorios por email sobre este pedido."],"collection-page-slug\u0004collections":["colecciones"],"product-page-slug\u0004products":[],"buy-page-slug\u0004buy":["comprar"],"Enter a custom base to use. A base must be set or WordPress will use default instead.":["Escribe un fragmento de URL personalizado, de lo contrario WordPress utilizar\u00e1 uno por defecto."],"Custom base":["Fragmento de URL personalizado (base)"],"Product Collections":[],"If you like, you may enter custom structures for your product page URLs here. For example, using <code>collections<\/code> would make your product collection links like <code>%scollections\/sample-collection\/<\/code>.":[],"SureCart Product Collection Permalinks":[],"If you like, you may enter custom structures for your instant checkout URLs here. For example, using <code>buy<\/code> would make your product buy links like <code>%sbuy\/sample-product\/<\/code>.":[],"SureCart Instant Checkout Permalinks":[],"Shop":["Tienda"],"Default":["Por defecto"],"If you like, you may enter custom structures for your product page URLs here. For example, using <code>products<\/code> would make your product buy links like <code>%sproducts\/sample-product\/<\/code>.":[],"SureCart Product Permalinks":[],"The associated tax zone.":["La zona fiscal asociada."],"The associated tax identifier.":["El identificador fiscal asociado."],"The associated EU tax identifier.":["El identificador fiscal de la UE asociado."],"The associated Canadian tax identifier.":["El identificador fiscal canadiense asociado."],"If set to true taxes will be automatically calculated.":["Si se establece en verdadero, los impuestos se calcular\u00e1n autom\u00e1ticamente."],"If set to true VAT taxes will be calculated for all EU countries.":["Si se establece en verdadero, los impuestos del IVA se calcular\u00e1n para todos los pa\u00edses de la UE."],"If set to true VAT taxes will be calculated using the account's home country VAT rate.":["Si se establece en IVA verdadero, los impuestos se calcular\u00e1n utilizando la tasa de IVA del pa\u00eds de origen de la cuenta."],"If set to true GST taxes will be calculated for all Canadian provinces.":["Si se establece en verdadero GST, los impuestos se calcular\u00e1n para todas las provincias canadienses."],"Upgrade behavior. Either pending or immediate.":["Comportamiento de la mejora. Pendiente o inmediato."],"Downgrade behavior. Either pending or immediate.":["Comportamiento a la baja. Ya sea pendiente o inmediato."],"Cancel behavior. Either pending or immediate.":["Cancelar el comportamiento. Ya sea pendiente o inmediato."],"Payment retry window in weeks.":["Ventana de reintento de pago en semanas."],"The start of the date range to query.":["El inicio del rango de fechas a consultar."],"The interval to group statistics on \u2013 one of hour, day, week, month, or year.":["El intervalo para agrupar las estad\u00edsticas: uno de hora, d\u00eda, semana, mes o a\u00f1o."],"The end of the date range to query.":["El final del rango de fechas a consultar."],"Only return objects that have this currency. If not set, this will fallback to the account's default currency.":["Solo devuelva objetos que tengan esta moneda. Si no se establece, se recurrir\u00e1 a la moneda predeterminada de la cuenta."],"Whether or not shipping is enabled":[],"Type of object (Settings)":["Tipo de objeto (Configuraci\u00f3n)"],"Sorry, you are not allowed to edit products.":["Lo sentimos, no tienes permiso para editar productos."],"Only return objects that belong to the given product collections.":[],"Only return objects that belong to the given product groups.":["Solo devuelva objetos que pertenezcan a los grupos de productos dados."],"Only return products that are recurring or not recurring (one time).":["Solo devolver productos que sean recurrentes o no recurrentes (una sola vez)."],"Top level metrics for the product.":["M\u00e9tricas de nivel superior para el producto."],"Stored product metadata":["Metadatos de productos almacenados"],"Files attached to the product.":["Archivos adjuntos al producto."],"A limit on the number of records returned":["L\u00edmite del n\u00famero de registros devueltos"],"Sorry, you are not allowed to edit product collections.":[],"Only return objects that belong to the given products.":["Solo devuelva objetos que pertenezcan a los productos dados."],"Ensure result set excludes specific IDs.":["Aseg\u00farese de que el conjunto de resultados excluya ID espec\u00edficos."],"The query to be used for full text search of this collection.":["La consulta que se utilizar\u00e1 para la b\u00fasqueda de texto completo de esta colecci\u00f3n."],"Only return prices that allow ad hoc amounts or not.":["Solo devolver precios que permitan importes ad hoc o no."],"Whether to get archived products or not.":["Ya sea para obtener productos archivados o no."],"The content for the object.":["El contenido del objeto."],"The terms of service link that is shown to customers on the customer portal.":["El enlace de t\u00e9rminos de servicio que se muestra a los clientes en el portal de clientes."],"Whether or not customers can change subscription quantities from the customer portal.":["Si los clientes pueden o no cambiar las cantidades de suscripci\u00f3n desde el portal del cliente."],"Whether or not customers can make subscription changes from the customer portal.":["Si los clientes pueden o no realizar cambios de suscripci\u00f3n desde el portal de clientes."],"Whether or not customers can cancel subscriptions from the customer portal.":["Si los clientes pueden o no cancelar suscripciones desde el portal de clientes."],"The type of number to use for orders \u2013 one of sequential or token.":["El tipo de n\u00famero que se usar\u00e1 para los pedidos: uno secuencial o token."],"The prefix that is added to all order numbers. Must be between 3-12 characters and only include letters.":["El prefijo que se a\u00f1ade a todos los n\u00fameros de pedido. Debe tener entre 3 y 12 caracteres y s\u00f3lo incluir letras."],"The default memo that is shown on all order statements (i.e. invoices and receipts).":["La nota predeterminada que se muestra en todos los extractos de pedidos (es decir, facturas y recibos)."],"The default footer that is shown on all order statements (i.e. invoices and receipts).":["El pie de p\u00e1gina predeterminado que se muestra en todos los extractos de pedidos (es decir, facturas y recibos)."],"Password":["Contrase\u00f1a"],"The model to get integration providers for.":["El modelo para obtener proveedores de integraci\u00f3n."],"The SureCart model id.":["La identificaci\u00f3n del modelo de SureCart."],"The SureCart model name.":["El nombre del modelo de SureCart."],"Dry run the sync.":[],"Run any purchase syncing actions.":[],"Create the WordPress user.":["Crear el usuario de WordpPress."],"The reply-to email address to use when sending emails to customers.":["La direcci\u00f3n de email de respuesta que se utilizar\u00e1 al enviar emails a los clientes."],"The language that will be used for all customer notifications. Current available locales are de, en, es, and fr.":["El idioma que se utilizar\u00e1 para todas las notificaciones de los clientes. Las configuraciones regionales disponibles actualmente son de, en, es y fr."],"The from name to use when sending emails to customers.":["El nombre from que se usar\u00e1 al enviar emails a los clientes."],"If set to true refund emails will be sent to customers.":["Si se activa se enviar\u00e1n emails de reembolso a los clientes."],"If set to true subscription dunning emails will be sent to customers.":["Si se activa se enviar\u00e1n emails de reclamaci\u00f3n de suscripci\u00f3n a los clientes."],"If set to true order confirmation emails will be sent to customers.":["Si se activa se enviar\u00e1n emails de confirmaci\u00f3n de pedido a los clientes."],"If set to true abandonded order reminder emails will be sent to customers.":["Si se activa se enviar\u00e1n emails de recordatorio de pedidos abandonados a los clientes."],"Form ID is invalid.":["El ID del formulario no es v\u00e1lido."],"Form ID is required.":["Se requiere identificaci\u00f3n del formulario."],"The discount for the session.":["El descuento para la sesi\u00f3n."],"The line items for the session.":["Los elementos de l\u00ednea para la sesi\u00f3n."],"The customer for the session.":["El cliente para la sesi\u00f3n."],"The customer id for the order.":["La identificaci\u00f3n del cliente para el pedido."],"Metadata for the order.":["Metadatos del pedido."],"The currency for the session.":["La moneda de la sesi\u00f3n."],"Login":["Acceder"],"The UUID of the price.":["El UUID del precio."],"The priority of this bump in relation to other bumps. Must be in the range of 1 - 5.":["La prioridad de esta oferta bump en relaci\u00f3n con otras. Debe estar entre 1 y 5."],"Percent that will be taken off line items associated with this bump.":["Porcentaje que se descontar\u00e1 de los productos asociados con esta oferta."],"A name for this upsell that will be visible to customers. If empty, the product name will be used.":[],"The conditions that will filter this bump to be recommeneded. Accepted keys are price_ids, product_ids, and product_group_ids with array values.":["Las condiciones que determinan que esta oferta sea recomendada. Los par\u00e1metros aceptados son price_ids, product_ids y product_group_ids con array values."],"Whether or not this bump is currently enabled and being shown to customers.":["Si este aumento est\u00e1 actualmente habilitado o no y se muestra a los clientes."],"Amount (in the currency of the price) that will be taken off line items associated with this bump.":["Importe (en la moneda del precio) que se descontar\u00e1 de los \u00edtems asociados a esta oferta bump."],"Type of object (bump)":["Tipo de objeto (oferta bump)"],"The default footer for invoices and receipts.":["El pie de p\u00e1gina predeterminado para facturas y recibos."],"The default memo for invoices and receipts.":["La nota predeterminada para facturas y recibos."],"The associated address.":["La direcci\u00f3n asociada."],"The URL of the brand logo.":["La URL del logotipo."],"The website that will be shown to customers for support, on invoices, etc.":["El sitio web que se mostrar\u00e1 a los clientes para soporte, facturas, etc."],"The phone number that will be shown to customers for support, on invoices, etc.":["El n\u00famero de tel\u00e9fono que se mostrar\u00e1 a los clientes para soporte, en las facturas, etc."],"The email address that will be shown to customers for support, on invoices, etc.":["La direcci\u00f3n de email que se mostrar\u00e1 a los clientes para soporte, en facturas, etc."],"The brand color.":["El color de la marca."],"Determines whether the pattern is visible in inserter.":["Determina si el patr\u00f3n es visible en el insertador."],"The pattern content.":["El contenido del patr\u00f3n."],"The pattern keywords.":["Las palabras clave del patr\u00f3n."],"The pattern category slugs.":["La categor\u00eda de patr\u00f3n slugs."],"Block types that the pattern is intended to be used with.":["Tipos de bloques con los que se pretende utilizar el patr\u00f3n."],"The pattern viewport width for inserter preview.":["El ancho de la ventana gr\u00e1fica del patr\u00f3n para la vista previa del insertador."],"The pattern detailed description.":["La descripci\u00f3n detallada del patr\u00f3n."],"The pattern title, in human readable format.":["El t\u00edtulo del patr\u00f3n, en formato legible por humanos."],"The pattern name.":["El nombre del patr\u00f3n."],"Sorry, you are not allowed to view the registered form patterns.":["Lo sentimos, no tiene permiso para ver los patrones de formulario registrados."],"A limit on the number of items to be returned, between 1 and 100.":["Un l\u00edmite en el n\u00famero de art\u00edculos a devolver, entre 1 y 100."],"The page of items you want returned.":["La p\u00e1gina de art\u00edculos devueltos."],"The UUID of the license.":["El UUID de la licencia."],"The name of this activation.":["El nombre de esta activaci\u00f3n."],"The unique identifier for this activation. For example a URL, a machine fingerprint, etc.":["El identificador \u00fanico para esta activaci\u00f3n. Por ejemplo, una URL, una huella digital de m\u00e1quina, etc."],"Connected processors":["Procesadores conectados"],"Owner data.":["Datos del propietario."],"The default currency for the account.":["La moneda predeterminada para la cuenta."],"The name of the account.":["El nombre de la cuenta."],"Created at timestamp":["Creado en la marca de tiempo"],"Type of object (Account)":["Tipo de objeto (Cuenta)"],"This customer's most recent checkout that has been abandoned.":["El pago m\u00e1s reciente de este cliente que ha sido abandonado."],"The customer for the checkout.":["El cliente para el pago."],"The checkout id for the checkout.":["La identificaci\u00f3n de pago para el pago."],"The current status of this abandonded checkout, which can be one of not_notified, notified, or recovered.":["El estado actual de este pago abandonado, que puede ser not_notificado, notificado o recuperado."],"The current notification status for this abandonded checkout, which can be one of not_sent, scheduled, or sent.":["El estado de notificaci\u00f3n actual para este pago abandonado, que puede ser no_enviado, programado o enviado."],"Unique identifier for the object.":["Identificador \u00fanico para el objeto."],"Invalid API token.":["Token de API no v\u00e1lido."],"Please connect your site to SureCart.":["Por favor, conecta tu sitio con SureCart."],"SureCart Customer":["Cliente de SureCart"],"SureCart Shop Worker":["Trabajador de la tienda SureCart"],"SureCart Accountant":["Contador de SureCart"],"SureCart Shop Manager":["Gerente de tienda SureCart"],"This user is already linked to a customer.":["Este usuario ya est\u00e1 vinculado a un cliente."],"You have already set up your store.":["Ya hemos configurado tu tienda."],"No customer ID or email provided.":["No se ha especificado ID de cliente o email."],"Something is wrong with the provided link.":["Algo va mal con el enlace proporcionado."],"You do not have permission do this.":["No tienes permiso para hacer esto."],"Your session expired - please try again.":["Sesi\u00f3n expirada, int\u00e9ntalo de nuevo."],"Add the user role of the user who purchased the product.":["Agregue el rol de usuario del usuario que compr\u00f3 el producto."],"Add User Role":["A\u00f1adir rol de usuario"],"Add WordPress User Role":["A\u00f1ade un rol de usuario de WordPress"],"Enable access to a TutorLMS course.":["Habilite el acceso a un curso de TutorLMS."],"TutorLMS Course":["Curso TutorLMS"],"Custom amount":["Cantidad personalizada"],"This trigger will be fired when a subscription plan is changed to something else.":["Este activador se activar\u00e1 cuando un plan de suscripci\u00f3n se cambie a otro."],"Subscription plan changed":["Plan de suscripci\u00f3n cambiado"],"This trigger will be fired when a subscription cancels after failed payment or by customer request, or when the purchase is manually revoked by the merchant.":["Este activador se activar\u00e1 cuando una suscripci\u00f3n se cancele despu\u00e9s de un pago fallido, por solicitud del cliente, o cuando el comerciante revoque manualmente la compra."],"Product purchase is revoked or subscription cancels":["Se revoca la compra del producto o se cancela la suscripci\u00f3n"],"This trigger will be fired when a purchase is unrevoked.":["Este activador se activar\u00e1 cuando una compra se restaure."],"Admin unrevokes a purchase":["El administrador restaura una compra"],"This trigger will be fired when someone first purchases a product.":["Este activador se activar\u00e1 cuando alguien compre un producto por primera vez."],"Product or subscription is purchased":["Se compra el producto o la suscripci\u00f3n"],"SureCart eCommerce Platform":["Plataforma de comercio electr\u00f3nico SureCart"],"SureCart product object":["Objeto de producto SureCart"],"A specific product name.":["Un nombre de producto espec\u00edfico."],"Product Name":["Nombre del producto"],"A specific product id.":["Una identificaci\u00f3n de producto espec\u00edfica."],"Product ID":["ID del Producto"],"Product":["Producto"],"Previous Product ID":["ID de producto anterior"],"Enable access to a MemberPress membership.":["Habilite el acceso a una membres\u00eda de MemberPress."],"Membership Access":["Acceso a la membres\u00eda"],"MemberPress Membership":["Membres\u00eda de MemberPress"],"Enable access to a LifterLMS course.":["Habilite el acceso a un curso de LifterLMS."],"LifterLMS Course":["Curso LifterLMS"],"LearnDash Group":["Grupo LearnDash"],"Enable access to a LearnDash group.":["Habilite el acceso a un grupo de LearnDash."],"LearnDash Groups":["Grupos de LearnDash"],"Enable access to a LearnDash course.":["Habilite el acceso a un curso de LearnDash."],"Course Access":["Acceso al curso"],"LearnDash Course":["Curso LearnDash"],"Create New Form":["Crear nuevo formulario"],"Edit Form":["Editar formulario"],"Select Form":["Seleccionar formulario"],"Enable access to a BuddyBoss Group.":["Habilite el acceso a un grupo de BuddyBoss."],"Group Access":["Acceso de grupo"],"BuddyBoss Group":["Grupo BuddyBoss"],"Create":["Crear"],"Settings":["Ajustes"],"Select a form":["Seleccione un formulario"],"SureCart Form":["Formulario SureCart"],"Method '%s' not implemented. Must be overridden in subclass.":["M\u00e9todo ' %s ' no implementado. Debe anularse en la subclase."],"Page title\u0004Dashboard":["Panel"],"Page slug\u0004customer-dashboard":["panel de clientes"],"Page title\u0004Thank you!":["\u00a1Gracias!"],"Page slug\u0004order-confirmation":["confirmaci\u00f3n del pedido"],"Page title\u0004Checkout":["Pago"],"Page slug\u0004checkout":["pago"],"Form title\u0004Checkout":["Pago"],"Form slug\u0004checkout":["pago"],"SureCart Webhook Creation Error":[],"This user could not be found.":["No se ha podido encontrar al usuario."],"Downloads":["Descargas"],"Plans":["Planes"],"Dashboard":["Panel"],"Billing":["Facturaci\u00f3n"],"Account":["Cuenta"],"I agree to %1$1s's %2$2sPrivacy Policy%3$3s":["Acepto la %2$2sPol\u00edtica de Privacidad%3$3s de %1$1s"],"I agree to %1$1s's %2$2sTerms%3$3s":["Acepto los %2$2sT\u00e9rminos%3$3s de %1$1s"],"I agree to %1$1s's %2$2sTerms%3$3s and %4$4sPrivacy Policy%5$5s":["Acepto los %2$2sT\u00e9rminos%3$3s y la %4$4sPol\u00edtica de Privacidad%5$5s de %1$1s"],"Edit Product":["Editar producto"],"Invalid verification code":["C\u00f3digo de verificaci\u00f3n incorrecto"],"The user could not be found.":["No se ha podido encontrar al usuario."],"The integration has been removed or is unavailable.":["La integraci\u00f3n ha sido eliminada o no est\u00e1 disponible."],"Not Found":["No encontrado"],"This product is not available for purchase.":["Este producto no est\u00e1 disponible para comprar."],"This product is invalid.":["Producto no v\u00e1lido."],"Spam check failed. Please try again.":["Verificaci\u00f3n fallida. Por favor int\u00e9ntalo de nuevo."],"The username <strong>%s<\/strong> is not registered on this site. If you are unsure of your username, try your email address instead.":["El nombre de usuario <strong>%s<\/strong> no est\u00e1 registrado en este sitio. Si no est\u00e1s seguro de tu usuario, prueba con tu email."],"There is no account with that username or email address.":["No hay ninguna cuenta con ese nombre de usuario o email."],"Test":["Prueba"],"Edit Subscription":["Editar suscripci\u00f3n"],"%1d%% off":["%1d%% de descuento"],"year":["a\u00f1o","%d a\u00f1os"],"%d year":["%d a\u00f1o","%d a\u00f1os"],"month":["mes","%d meses"],"%d month":["%d mes","%d meses"],"week":["semana","%d semanas"],"%d week":["%d semana","%d semanas"],"day":["d\u00eda","%d d\u00edas"],"%d day":["%d d\u00eda","%d d\u00edas"],"No Product":[],"for":["durante"],"(one time)":["(Una vez)"],"None":["Ninguno"],"Remaining Payments":["Pagos restantes"],"Past Due":["Atrasado"],"Trialing":["Periodo de prueba"],"Search Subscriptions":["Buscar suscripciones"],"Advanced":["Avanzado"],"Connection":["Conexi\u00f3n"],"Data Export":["Exportaci\u00f3n de datos"],"Payment Processors":["Procesadores de pago"],"Taxes":["Impuestos"],"Subscription Saver":["Recuperador de Suscripciones"],"Subscriptions":["Suscripciones"],"Notifications":["Notificaciones"],"Abandoned Checkout":["Pago abandonado"],"Orders & Receipts":["Pedidos y Recibos"],"Design & Branding":["Dise\u00f1o y Marca"],"All Product Collections":["Todas las colecciones de producto"],"Filter by Product Collection":[],"Filter":["Filtrar"],"Draft":["Borrador"],"Published":["Publicado"]," and %d other price.":[" y %d precio m\u00e1s."," y %d precios m\u00e1s."],"Free":["Gratis"],"Name your own price":["Elige t\u00fa el precio"],"No products found.":["No se encontraron productos."],"%d Available":["%d Disponible"],"Featured":["Destacado"],"Product Page":["P\u00e1gina de producto"],"Collections":["Colecciones"],"Quantity":["Cantidad"],"View Product":["Ver el producto"],"Live":["En vivo"],"Search Orders":["Buscar pedidos"],"View":["Ver"],"Edit Product Collection":["Editar colecci\u00f3n de productos"],"Description":["Descripci\u00f3n"],"Products":["Productos"],"View Collection":["Ver colecci\u00f3n"],"Orders":["Pedidos"],"Delivered":["Enviado"],"Partially Shipped":["Parcialmente enviado"],"Shipped":["Enviado"],"Not Shipped":["No enviado"],"All Shipment Statuses":["Todos los estados de env\u00edo"],"Filter by shipment":["Filtrar por env\u00edo"],"Partially Fulfilled":["Parcialmente despachado"],"Fulfilled":["Despachado"],"Unfulfilled":["Sin despachar"],"All Fulfillments":[],"Filter by fulfillment":[],"Paypal is taking a closer look at this payment. It\u2019s required for some payments and normally takes up to 3 business days.":["Paypal est\u00e1 examinando m\u00e1s de cerca este pago. Es obligatorio para algunos pagos y normalmente demora hasta 3 d\u00edas h\u00e1biles."],"Checkout":["Pago"],"Type":["Tipo"],"Integrations":["Integraciones"],"Shipping":["Env\u00edo"],"Fulfillment":[],"Order":["Pedido"],"Canceled":["Cancelado"],"Failed":["Ha fallado"],"Processing":["Procesando"],"Paid":["Pagado"],"Invalid API Token":["Token de API no v\u00e1lido"],"Inactive":["Inactivo"],"Revoked":["Revocado"],"No licenses found.":["No se encontraron licencias."],"Purchase":["Compra"],"Key":["Llave"],"Licenses":["Licencias"],"Invoices":["Facturas"],"Refunded":["Reintegrado"],"Method":["M\u00e9todo"],"Status":["Estado"],"Invoice":["Factura"],"Search Invoices":["Buscar facturas"],"Toggle Product Archive":["Alternar archivo de productos"],"Are you sure you want to archive this product? This will be unavailable for purchase.":["\u00bfSeguro que quieres archivar este producto? Dejar\u00e1 de estar disponible para su compra."],"Are you sure you want to restore this product? This will be be available to purchase.":["\u00bfSeguro que quieres restaurar este producto? Estar\u00e1 disponible para su compra."],"No price":["Sin precio"],"No customers found.":["No se encontraron clientes."],"Created":["Creado"],"Email":["Email"],"Customers":["Clientes"],"Move to Trash":["Mover a la papelera"],"Delete permanently":["Borrar permanentemente"],"comment\u0004Not spam":["No spam"],"Restore":["Restaurar"],"comment\u0004Mark as spam":["Marcar como correo no deseado"],"Approve":["Aprobar"],"Unapprove":["Desaprobar"],"Toggle Coupon Archive":["Alternar archivo de cupones"],"Are you sure you want to archive this coupon? This will be unavailable for purchase.":["\u00bfSeguro que quieres archivar este cup\u00f3n? Dejar\u00e1 de estar disponible."],"Are you sure you want to restore this coupon? This will be be available to purchase.":["\u00bfSeguro que quieres restaurar este cup\u00f3n? Esto har\u00e1 que est\u00e9 disponible para su uso."],"Archive":["Archivar"],"Un-Archive":["Desarchivar"],"+ %d more":["+ %d m\u00e1s"],"No code specified":["Sin c\u00f3digo especificado"],"Expired":["Venci\u00f3"],"Once":["Una vez"],"For %d months":["Durante %d meses"],"Forever":["Para siempre"],"No discount.":["Sin descuento."],"%d%% off":["%d%% de descuento"],"Valid until %s":["V\u00e1lido hasta %s"],"Usage":["Uso"],"Code":["C\u00f3digo"],"Search Coupons":["Buscar cupones"],"Coupons":["Cupones"],"Coupon Applied":["Cup\u00f3n aplicado"],"Saved":["Recuperado"],"View Customer":["Ver cliente"],"No name provided":["Sin nombre proporcionado"],"No cancellation acts.":["Sin cancelaciones."],"All Cancellation Attempts":["Todos los intentos de cancelaci\u00f3n"],"No product":["Sin producto"],"Plan Status":["Estado del plan"],"Comment":["Comentario"],"Cancellation Reason":["Motivo de cancelaci\u00f3n"],"Plan":["Plan"],"Customer":["Cliente"],"Subscription Saver & Insights":["Recuperador de Suscripciones e informaci\u00f3n"],"Edit":["Editar"],"Updated":["Actualizado"],"One-Time":["Una vez"],"Subscription":["Suscripci\u00f3n"],"No order bumps found.":["No se encontraron ofertas bump."],"Select comment":["Seleccionar comentario"],"Price":["Precio"],"Name":["Nombre"],"Archived":["Archivado"],"Active":["Activo"],"Product restored.":["Producto restaurado."],"Product archived.":["Producto archivado."],"Bumps":["Ofertas bump"],"Abandoned Checkouts":["Pagos abandonados"],"View Checkout":["Ver pantalla de pago"],"By %s":["Por %s"],"Edit Order":["Editar orden"],"Recovered Before Email Was Sent":["Recuperado antes de enviar el email"],"Recovered":["Recuperado"],"Abandoned":["Abandonado"],"Email Sent":["Email enviado"],"Total":["Total"],"Recovery Status":["Estado de recuperaci\u00f3n"],"Email Status":["Estado del email"],"Date":["Fecha"],"Placed By":["Pedido por"],"Search Abanonded Orders":["Buscar pedidos abandonados"],"Not Scheduled":["No programada"],"Sent":["Enviado"],"Scheduled":["Programada"],"All":["Todas"],"Cart":["Carrito"],"Checkout Form":["Formulario de pago"],"SureCart is syncing customers in the background. The process may take a little while, so please be patient.":["SureCart est\u00e1 sincronizando clientes en segundo plazo. Este proceso puede llevar un tiempo, por favor ten paciencia."],"SureCart customer sync in progress":["Sincronizaci\u00f3n de clientes de SureCart en proceso"],"Cart title\u0004Cart":["Carro"],"Cart slug\u0004cart":["carro"],"SureCart Webhook Registration Error":[],"https:\/\/surecart.com":[],"A simple yet powerful headless e-commerce platform designed to grow your business with effortlessly selling online.":[],"https:\/\/surecart.com\/":[],"SureCart":["SureCart"]}}} ); </script> <script src="https://www.francescopepe.com/wp-content/plugins/surecart/dist/components/static-loader.js?ver=a63fafc54e2b993044b3-2.31.2" id="surecart-components-js"></script> <script src="https://www.francescopepe.com/wp-content/plugins/google-site-kit/dist/assets/js/googlesitekit-consent-mode-3d6495dceaebc28bcca3.js" id="googlesitekit-consent-mode-js"></script> <script id="wp-consent-api-js-extra"> var consent_api = {"consent_type":"optin","waitfor_consent_hook":"","cookie_expiration":"30","cookie_prefix":"wp_consent"}; </script> <script src="https://www.francescopepe.com/wp-content/plugins/wp-consent-api/assets/js/wp-consent-api.min.js?ver=1.0.7" id="wp-consent-api-js"></script> <script id="cmplz-cookiebanner-js-extra"> var complianz = {"prefix":"cmplz_","user_banner_id":"1","set_cookies":[],"block_ajax_content":"","banner_version":"20","version":"7.1.0","store_consent":"","do_not_track_enabled":"","consenttype":"optin","region":"eu","geoip":"","dismiss_timeout":"","disable_cookiebanner":"","soft_cookiewall":"","dismiss_on_scroll":"","cookie_expiry":"365","url":"https:\/\/www.francescopepe.com\/es\/wp-json\/complianz\/v1\/","locale":"lang=es&locale=es_ES","set_cookies_on_root":"","cookie_domain":"","current_policy_id":"30","cookie_path":"\/","categories":{"statistics":"estad\u00edsticas","marketing":"m\u00e1rketing"},"tcf_active":"","placeholdertext":"Haz clic para aceptar cookies de marketing y permitir este contenido","css_file":"https:\/\/www.francescopepe.com\/wp-content\/uploads\/complianz\/css\/banner-{banner_id}-{type}.css?v=20","page_links":{"eu":{"cookie-statement":{"title":"Cookie Policy ","url":"https:\/\/www.francescopepe.com\/es\/politica-de-cookies-de-la-ue\/"},"privacy-statement":{"title":"Privacy Policy","url":"https:\/\/www.francescopepe.com\/es\/politica-de-privacidad\/"}}},"tm_categories":"","forceEnableStats":"","preview":"","clean_cookies":"","aria_label":"Haz clic para aceptar cookies de marketing y permitir este contenido"}; </script> <script defer src="https://www.francescopepe.com/wp-content/plugins/complianz-gdpr/cookiebanner/js/complianz.min.js?ver=1717145349" id="cmplz-cookiebanner-js"></script> </body> </html>