diff --git a/docs-utils/fix-callouts.js b/docs-utils/fix-callouts.js index 6c731df2e..4191a04d6 100644 --- a/docs-utils/fix-callouts.js +++ b/docs-utils/fix-callouts.js @@ -1,11 +1,11 @@ -const fs = require('fs'); +const fs = require('fs').promises; const path = require('path'); // The root folder to process const rootFolder = 'docs'; // Maximum number of files to process simultaneously -const MAX_CONCURRENT_FILES = 100; // Adjust this based on your system's limit +const MAX_CONCURRENT_FILES = 100; // Array to keep track of currently processing files let activeFiles = 0; @@ -65,58 +65,59 @@ function convertCallout(htmlCallout) { return markdownCallout; } -// Function to process each markdown file -function processFile(filePath) { +// Function to process each Markdown file +async function processFile(filePath) { activeFiles++; - - fs.readFile(filePath, 'utf8', (err, data) => { - if (err) throw err; - + try { + const data = await fs.readFile(filePath, 'utf8'); // Replace HTML structures with corresponding markdown symbols const newData = data - .replace(/(.*?)<\/div>/gs, (match, p1) => `>ℹ️ ${convertCallout(p1)}`) - .replace(/(.*?)<\/div>/gs, (match, p1) => `>⚠️ ${convertCallout(p1)}`) - .replace(/(.*?)<\/div>/gs, (match, p1) => `>❗ ${convertCallout(p1)}`); - - // Write the modified content back to the file - fs.writeFile(filePath, newData, 'utf8', (err) => { - if (err) throw err; - console.log(`Processed file: ${filePath}`); - activeFiles--; - - // Process the next file in the queue if available - if (fileQueue.length > 0) { - const nextFile = fileQueue.shift(); - processFile(nextFile); - } - }); - }); + .replace(/]*class\s*=\s*"alert alert-info"[^>]*>(.*?)<\/div>/gs, (match, p1) => `>ℹ️ ${convertCallout(p1)}`) + .replace(/]*class\s*=\s*"alert alert-warning"[^>]*>(.*?)<\/div>/gs, (match, p1) => `>⚠️ ${convertCallout(p1)}`) + .replace(/]*class\s*=\s*"alert alert-danger"[^>]*>(.*?)<\/div>/gs, (match, p1) => `>❗ ${convertCallout(p1)}`); + + await fs.writeFile(filePath, newData, 'utf8'); + } catch (err) { + console.error(`Error processing file: ${filePath}`, err); + } finally { + activeFiles--; + if (fileQueue.length > 0) { + const nextFile = fileQueue.shift(); + processFile(nextFile); + } + } } // Recursive function to process all markdown files in the directory -function processDirectory(directory) { - fs.readdir(directory, (err, files) => { - if (err) throw err; - - files.forEach(file => { +async function processDirectory(directory) { + try { + const files = await fs.readdir(directory); + for (const file of files) { const filePath = path.join(directory, file); - fs.stat(filePath, (err, stats) => { - if (err) throw err; - - if (stats.isDirectory()) { - // Recursively process subdirectories - processDirectory(filePath); - } else if (path.extname(file) === '.md') { - if (activeFiles < MAX_CONCURRENT_FILES) { - processFile(filePath); - } else { - fileQueue.push(filePath); - } + const stats = await fs.stat(filePath); + + if (stats.isDirectory()) { + await processDirectory(filePath); + } else if (path.extname(file) === '.md') { + if (activeFiles < MAX_CONCURRENT_FILES) { + processFile(filePath); + } else { + fileQueue.push(filePath); } - }); - }); - }); + } + } + } catch (err) { + console.error(`Error processing directory: ${directory}`, err); + } +} + +async function fixCallouts() { + console.log("Fixing callouts..."); + await processDirectory(rootFolder); + while (activeFiles > 0 || fileQueue.length > 0) { + await new Promise(resolve => setTimeout(resolve, 100)); + } + console.log("Finished fixing callouts in markdown files."); } -// Start processing from the root folder -processDirectory(rootFolder); +module.exports = { fixCallouts }; \ No newline at end of file diff --git a/docs-utils/replace-quotes.js b/docs-utils/replace-quotes.js index 4e375a07b..f4b7b6d54 100644 --- a/docs-utils/replace-quotes.js +++ b/docs-utils/replace-quotes.js @@ -1,82 +1,98 @@ -const fs = require('fs'); +const fs = require('fs').promises; const path = require('path'); -// Path to the 'docs' directory const docsDir = path.resolve(__dirname, '../docs'); +const MAX_CONCURRENT_FILES = 100; + +let activeFiles = 0; +let fileQueue = []; // Function to process each Markdown file -const processFile = (filePath) => { - const data = fs.readFileSync(filePath, 'utf8'); - const lines = data.split('\n'); +async function processFile(filePath) { + try { + const data = await fs.readFile(filePath, 'utf8'); + const lines = data.split('\n'); + + if (lines[1] && lines[1].startsWith('title:')) { + let titleLine = lines[1].trim(); + const titleContentMatch = titleLine.match(/^title:\s*(['"])(.*)\1$/); - if (lines[1] && lines[1].startsWith('title:')) { - let titleLine = lines[1].trim(); - const titleContentMatch = titleLine.match(/^title:\s*(['"])(.*)\1$/); + if (titleContentMatch) { + const currentOuterQuote = titleContentMatch[1]; + const originalTitleContent = titleContentMatch[2]; + let updatedTitleContent; + let updatedTitleLine; - if (titleContentMatch) { - const currentOuterQuote = titleContentMatch[1]; - const originalTitleContent = titleContentMatch[2]; - let updatedTitleContent; - let updatedTitleLine; + if (currentOuterQuote === `'`) { + if (originalTitleContent.includes('"')) { + updatedTitleContent = originalTitleContent.replace(/"/g, "'"); + updatedTitleLine = `title: "${updatedTitleContent}"`; + } else { + updatedTitleLine = titleLine; + } + } else if (currentOuterQuote === `"`) { + if (originalTitleContent.includes('"')) { + updatedTitleContent = originalTitleContent.replace(/"(?![^"]*")/g, "'"); + updatedTitleLine = `title: "${updatedTitleContent}"`; + } else { + updatedTitleLine = titleLine; + } + } - if (currentOuterQuote === `'`) { - // Outer quotes are single - if (originalTitleContent.includes('"')) { - // Inner double quotes present - updatedTitleContent = originalTitleContent.replace(/"/g, "'"); - updatedTitleLine = `title: "${updatedTitleContent}"`; - } else { - // No inner double quotes - updatedTitleLine = titleLine; + if (updatedTitleLine && updatedTitleLine !== titleLine) { + lines[1] = updatedTitleLine; + const newData = lines.join('\n'); + await fs.writeFile(filePath, newData, 'utf8'); + // console.log(`Quotes replaced in file: ${filePath}`); + } + } } - } else if (currentOuterQuote === `"`) { - // Outer quotes are double - if (originalTitleContent.includes('"')) { - // Inner double quotes present - updatedTitleContent = originalTitleContent.replace(/"(?![^"]*")/g, "'"); - updatedTitleLine = `title: "${updatedTitleContent}"`; - } else { - // No inner double quotes - updatedTitleLine = titleLine; + } catch (error) { + console.error(`Error processing file: ${filePath}`, error); + } finally { + activeFiles--; + if (fileQueue.length > 0) { + const nextFile = fileQueue.shift(); + processFile(nextFile); } - } - - // Only update if necessary - if (updatedTitleLine && updatedTitleLine !== titleLine) { - lines[1] = updatedTitleLine; - const newData = lines.join('\n'); - fs.writeFileSync(filePath, newData, 'utf8'); - console.log(`Updated file: ${filePath}`); - } } - } -}; +} // Function to recursively process files in directories -const processDirectory = (dirPath) => { - fs.readdir(dirPath, (err, files) => { - if (err) { - console.error('Unable to scan directory:', err); - return; - } +async function processDirectory(dirPath) { + try { + const files = await fs.readdir(dirPath); + + for (const file of files) { + const filePath = path.join(dirPath, file); + const stats = await fs.stat(filePath); - files.forEach((file) => { - const filePath = path.join(dirPath, file); - fs.stat(filePath, (err, stats) => { - if (err) { - console.error('Unable to stat file:', err); - return; + if (stats.isDirectory()) { + await processDirectory(filePath); + } else if (path.extname(file) === '.md') { + if (activeFiles < MAX_CONCURRENT_FILES) { + activeFiles++; + processFile(filePath); + } else { + fileQueue.push(filePath); + } + } } + } catch (error) { + console.error('Error processing directory:', error); + } +} - if (stats.isDirectory()) { - processDirectory(filePath); - } else if (path.extname(file) === '.md') { - processFile(filePath); - } - }); - }); - }); -}; +async function replaceQuotes() { + console.log("Replacing quotation marks..."); + await processDirectory(docsDir); + + // Wait until all files are processed + while (activeFiles > 0 || fileQueue.length > 0) { + await new Promise(resolve => setTimeout(resolve, 100)); + } + + console.log("Finished replacing quotation marks in markdown files."); +} -// Start processing from the docs directory -processDirectory(docsDir); +module.exports = { replaceQuotes }; diff --git a/docs/announcements/en/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md b/docs/announcements/en/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md index aa29431d0..e35ee1c51 100644 --- a/docs/announcements/en/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md +++ b/docs/announcements/en/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md @@ -21,7 +21,7 @@ The product integration flow on the Via Varejo Marketplace was [modified in thei There was no need for mapping to activate the Via Varejo Integration before this change. Mapping categories, variations and attributes for your products is henceforth __mandatory__. - +>⚠️ **Attention:** Products created or updated after this change will only be integrated if their category, variations and attributes are mapped out. ## Why did we make this change? @@ -36,4 +36,4 @@ To ensure the best positioning and experience for our clients in the certified m Map categories, variations and attributes according to our [documentation](https://help.vtex.com/en/tracks/configurar-integracao-da-via-varejo--3E9XylGaJ2wqwISGyw4GuY/5QVZFYNfuRIQKdq34MbTxz#fazendo-o-upload). - +>ℹ️ This process can be performed gradually according to your needs and only needs to be done once per category. Once a category and its variations/attributes are mapped, all products in that category will be integrated normally without requiring any additional action. diff --git a/docs/announcements/en/2021-01-06-lendico-installment-loans-expand-your-payment-options.md b/docs/announcements/en/2021-01-06-lendico-installment-loans-expand-your-payment-options.md index e4af3f852..1204862fe 100644 --- a/docs/announcements/en/2021-01-06-lendico-installment-loans-expand-your-payment-options.md +++ b/docs/announcements/en/2021-01-06-lendico-installment-loans-expand-your-payment-options.md @@ -19,7 +19,7 @@ Nowadays, consumers seek diversity and ease of payments, and it is essential to That's why VTEX entered into a partnership with Lendico, which launched the installments loans function, aiming to democratize purchasing power and contribute exponentially to increase your sales. - +>ℹ️ This payment option is only available in Brazil. ## Who is Lendico? diff --git a/docs/announcements/en/2021-03-18-multiple-product-categorization-in-the-dafiti-marketplace.md b/docs/announcements/en/2021-03-18-multiple-product-categorization-in-the-dafiti-marketplace.md index f89ab425f..97d156dff 100644 --- a/docs/announcements/en/2021-03-18-multiple-product-categorization-in-the-dafiti-marketplace.md +++ b/docs/announcements/en/2021-03-18-multiple-product-categorization-in-the-dafiti-marketplace.md @@ -16,4 +16,4 @@ announcementSynopsisEN: 'This is a regional exclusive content not applicable to --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/announcements/en/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md b/docs/announcements/en/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md index b73f8deb2..b0e69c654 100644 --- a/docs/announcements/en/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md +++ b/docs/announcements/en/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md @@ -29,7 +29,7 @@ The new menu provides significant advantages, which are highlighted below: - **Intuitive navigation:** Improved layout to quickly find what you need. - **Visual consistency:** Consistent look and feel aligned with other recent platform updates. -“menu-sales-app-en” +“menu-sales-app-en” ### Offers section @@ -37,13 +37,13 @@ The Offers section allows merchants to display specific products or search resul One of the key features of this update is that merchants can set the Offers section as their home page. This provides a more customized user experience, as customers are immediately greeted with selected content and product recommendations. Learn more in the [Enabling Local stock sale in VTEX Sales App](https://help.vtex.com/en/tutorial/enabling-local-stock-sale-in-vtex-sales-app--54eQN4rOH5yBYPGG2w8v9q) article. -“anuncio-sale-app-en” +“anuncio-sale-app-en” ### Sales Performance The Sales Performance page allows merchants to view their sales metrics and compare performance across sales dates and staff performance. Learn more in the [VTEX Sales App: Sales Performance](https://help.vtex.com/en/tutorial/sales-app-sales-performance--7i4Elt835tatBM6iqZoc56) article. -“vendas-da-loja-sales-app-en” +“vendas-da-loja-sales-app-en” ## What needs to be done? diff --git a/docs/announcements/en/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md b/docs/announcements/en/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md index 95e52e67f..438fd569f 100644 --- a/docs/announcements/en/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md +++ b/docs/announcements/en/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md @@ -20,7 +20,7 @@ With client success in mind, VTEX offers complete solutions for different busine To help you easily adopt new resources, manage your business autonomously, and gain scalability, we have published the new **Onboarding guide** — content covering the complete journey for operating a VTEX store. This documentation will be available in the [Start here](https://help.vtex.com/en/tracks) section of the Help Center.
- Onboarding guide + Onboarding guide
## What is the Onboarding guide? @@ -40,19 +40,19 @@ Our aim is to allow clients, partners, and the VTEX ecosystem to take advantage You can find an [overview](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9) of the guide content below.
- VTEX store track + VTEX store track
The **VTEX store track** describes the initial context of the operation, starting by defining the [account type and architecture](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/4yPqZQyj0t675QpcG7H6yl) that best suit the business needs. From there, you can complete the [initial setup](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/4EPwTXx5oFdSG1dA3zIchz) and configure the platform [modules](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/75MX4aorniD0BYAB8Nwbo7), focusing on getting the operation going. Once the [backend integrations](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/7euXDZR5CCnVFSrXyczIhu) are completed and the [frontend](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/67SCtUreXxKYWhZh8n0zvZ) technology has been implemented in order to build the storefront, it's time for the [go-live](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/6xYnNxDHUcY6FyChgziCoH) and launching the new store.
- Next steps after go live + Next steps after go live
The **Next steps after go-live** track describes how [unified commerce](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/5Qvw31yH2FPDBl14K5xXHA) is achieved with the platform resources, including [module settings](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/V1fs7IkfYMfn91ZVHTLu4) not mentioned before. The aim here is to focus on evolving the operation. This track also describes VTEX's [add-on products](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/1t2QBZvrOBSLgvHaAV9fYm), which are products that can be requested separately for implementing new strategies and diversifying the business.
- VTEX Support + VTEX Support
The **VTEX Support** track describes the [support](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) offered by VTEX to clients, which is not restricted to a specific part of the journey. Other tracks also mention [how support works](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/2Ik9CGbPeZIHHaYFsuyId3), since [opening a ticket](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/6EboD7Y1BOLlWdT8JM15EE) is the designated channel for certain requests. The organization of this track aims to help our clients have the best experiences with our services, providing all the necessary information for opening tickets, whether for [technical](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3thRAdTB3gGwTB0e1fVL3T), [billing](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3g2mhmPDx5GszNgLDICzsl), or [commercial](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3KQWGgkPOwbFTPfBxL7YwZ) support. @@ -73,5 +73,5 @@ We hope this content contributes to the success of your business and your satisf | [VTEX store overview](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9) | [Next steps after the go-live](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS) | [Support at VTEX](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy) |
- Ecommerce image + Ecommerce image
diff --git a/docs/announcements/en/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md b/docs/announcements/en/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md index 895f2a4b6..afef15826 100644 --- a/docs/announcements/en/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md +++ b/docs/announcements/en/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md @@ -47,7 +47,7 @@ To start using the simulator, follow these instructions: Alternatively, you can access it directly via the URL `https://{accountname}.myvtex.com`, replacing `{accountname}` with your VTEX account name. 2. Add products to the cart and proceed to checkout at `https://{accountname}.myvtex.com/checkout/#/cart`. -3. Click the blue button cartman-icon in the bottom right corner of the page to launch Cartman. +3. Click the blue button cartman-icon in the bottom right corner of the page to launch Cartman. 4. Click **Promotion Simulator**. In the new window, you will see the details of promotions applied and not applied to the cart. diff --git a/docs/announcements/en/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md b/docs/announcements/en/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md index 6797167c6..e7ea022dd 100644 --- a/docs/announcements/en/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md +++ b/docs/announcements/en/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md @@ -18,9 +18,7 @@ announcementSynopsisEN: 'Solve problems faster and autonomously with our redesig VTEX is constantly evolving to enhance the customer support experience and empower our clients to solve problems more efficiently and autonomously. To facilitate access to support, now you can use the Troubleshooting guides available in the [Help Center](https://help.vtex.com/subcategory/store-operations--2Q0IQjRcOqSgJTh6wRHVMB) and [Developer Portal](https://developers.vtex.com/docs/troubleshooting). These guides detail potential error scenarios in store operations and during store or app development, as well as provide instructions on how to proceed to restore expected performance for your store. - +>ℹ️ Would you like to contribute to this initiative? Complete this [Feedback form](https://forms.gle/PdVNZmMDMjiDfJaf8). ## How are the Troubleshooting guides organized? The Troubleshooting guides are available in the [Help Center](https://help.vtex.com/subcategory/store-operations--2Q0IQjRcOqSgJTh6wRHVMB) and [Developer Portal](https://developers.vtex.com/docs/troubleshooting), organized into categories as follows: @@ -32,9 +30,7 @@ The Troubleshooting guides are available in the [Help Center](https://help.vtex. - **Development**: This section is designed to address errors related to storefront and app development. - **Store performance**: This section includes procedures for debugging errors and restoring the store to operational condition if it is down or malfunctioning. - +>ℹ️ At the time of this announcement's publication, 15 guides are available for consultation, with more in production. ## Why did we create this initiative? Our goal is to simplify and streamline the VTEX support experience. With the new Troubleshooting guides, you can: diff --git a/docs/announcements/es/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md b/docs/announcements/es/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md index cda79aa89..c2e9a0c00 100644 --- a/docs/announcements/es/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md +++ b/docs/announcements/es/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md @@ -15,7 +15,7 @@ announcementImageID: '' announcementSynopsisES: 'Haga que sus productos estén disponibles más rápido en Via Varejo mapeando categorías, variaciones y atributos.' --- - +>⚠️ Contenido bajo traducción O fluxo de integração de produtos no Via Varejo Marketplace foi [modificado na sua API V4](https://desenvolvedores.viavarejo.com.br/api-portal/content/integracao) para aumentar a qualidade das informações dos produtos anunciados. Para nos adaptarmos a essa evolução, incluímos um passo adicional na Integração com a Via Varejo - o [mapeamento de categorias, variações e atributos](https://help.vtex.com/es/tracks/configurar-integracao-da-via-varejo--3E9XylGaJ2wqwISGyw4GuY/5QVZFYNfuRIQKdq34MbTxz#fazendo-o-upload). @@ -23,7 +23,7 @@ O fluxo de integração de produtos no Via Varejo Marketplace foi [modificado na Antes não era necessário fazer nenhum mapeamento para ativar a Integração com a Via Varejo. Agora o mapeamento de categorias, variações e atributos se tornou __obrigatório__. - +>⚠️ **Atenção:** Produtos criados ou atualizados após esta mudança somente serão enviados se sua categoria, variações e atributos estiverem mapeados. ## Por que realizamos esta mudança? @@ -38,4 +38,4 @@ Para garantir o melhor posicionamento e experiência dos nossos clientes nos mar O mapeamento das categorias, variações e atributos seguindo a nossa [documentação](https://help.vtex.com/es/tracks/configurar-integracao-da-via-varejo--3E9XylGaJ2wqwISGyw4GuY/5QVZFYNfuRIQKdq34MbTxz#fazendo-o-upload). - +>ℹ️ Este processo pode ser feito gradualmente conforme a necessidade e só precisa ser feito uma vez por categoria. Depois que uma categoria é mapeada com suas variações/atributos, todos produtos que fazem parte daquela categoria serão integrados normalmente sem ação adicional. diff --git a/docs/announcements/es/2021-01-06-lendico-installment-loans-expand-your-payment-options.md b/docs/announcements/es/2021-01-06-lendico-installment-loans-expand-your-payment-options.md index e6c815af7..a1a358c94 100644 --- a/docs/announcements/es/2021-01-06-lendico-installment-loans-expand-your-payment-options.md +++ b/docs/announcements/es/2021-01-06-lendico-installment-loans-expand-your-payment-options.md @@ -19,7 +19,7 @@ Hoy día, el cliente busca accesibilidad en los medios de pago. Por ello, es ese Por lo tanto, VTEX ha hecho una colaboración com Lendico - que he lanzado la función [Boleto en plazos](https://lendico.com.br/boleto-parcelado-varejista/ "Boleto en plazos") - para democratizar el poder adquisitivo de compra y aportar las ventas de tu negocio. - +>ℹ️ Esta opción de pago solo está disponible en Brasil. ## ¿Quién es Lendico? diff --git a/docs/announcements/es/2021-03-31-intermediator-data-for-natively-integrated-marketplace-sales.md b/docs/announcements/es/2021-03-31-intermediator-data-for-natively-integrated-marketplace-sales.md index 690252bf6..ad7a5245f 100644 --- a/docs/announcements/es/2021-03-31-intermediator-data-for-natively-integrated-marketplace-sales.md +++ b/docs/announcements/es/2021-03-31-intermediator-data-for-natively-integrated-marketplace-sales.md @@ -15,7 +15,5 @@ announcementImageID: '' announcementSynopsisES: 'Datos de intermediarios se ponen a disposición para ventas realizadas en los marketplaces integrados de forma nativa.' --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. Consulte este anuncio en portugués para obtener más información. diff --git a/docs/announcements/es/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md b/docs/announcements/es/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md index b49ec39d5..a0069c779 100644 --- a/docs/announcements/es/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md +++ b/docs/announcements/es/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md @@ -29,7 +29,7 @@ El nuevo menú aporta beneficios significativos, que destacamos a continuación: * **Navegación intuitiva:** organización mejorada para encontrar rápidamente lo que se está buscando. * **Coherencia visual:** apariencia alineada con otras actualizaciones recientes de nuestra plataforma. -“menu-sales-app-es” +“menu-sales-app-es” ### Área de anuncios @@ -37,13 +37,13 @@ El área de anuncios permite que los administradores de las tiendas muestren pro Uno de los principales recursos de esta actualización es la opción de que los administradores de las tiendas establezcan la nueva área de anuncios como página de inicio. Esto permite una experiencia de usuario más personalizada, ya que los clientes, en cuanto acceden, se encuentran inmediatamente con contenido seleccionado y recomendaciones de productos. Más información en el artículo [Habilitar Venta de inventario local en VTEX Sales App](https://help.vtex.com/es/tutorial/habilitar-venta-de-inventario-local-en-vtex-sales-app--54eQN4rOH5yBYPGG2w8v9q). -“anuncio-sale-app-es” +“anuncio-sale-app-es” ### Desempeño de ventas La sección Desempeño de ventas permite al administrador de la tienda acceder a las métricas de ventas de su tienda, mostrando la comparación de desempeño entre periodos de ventas y también de los empleados. Más información en el artículo [VTEX Sales App: Rendimiento de Ventas](https://help.vtex.com/es/tutorial/sales-app-rendimiento-de-ventas--7i4Elt835tatBM6iqZoc56). -“vendas-da-loja-sales-app-es” +“vendas-da-loja-sales-app-es” ## ¿Qué se necesita hacer? diff --git a/docs/announcements/es/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md b/docs/announcements/es/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md index 02dddad39..0fec5aaeb 100644 --- a/docs/announcements/es/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md +++ b/docs/announcements/es/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md @@ -20,7 +20,7 @@ Enfocados en el éxito de nuestros clientes, en VTEX brindamos soluciones comple Y para facilitar la adopción de nuevos recursos, la gestión autónoma de tu negocio y la mejora en la escalabilidad, hemos lanzado la nueva **Guía de onboarding**, un contenido que abarca íntegramente la jornada de operar una tienda VTEX. Accede desde la sección [Comienza aquí](https://help.vtex.com/es/tracks) del Help Center.
- Guia de onboarding + Guia de onboarding
## ¿Qué es la Guía de onboarding? @@ -40,19 +40,19 @@ Nuestra meta es asegurarnos de que tanto clientes como partners, así como todo A continuación, te presentamos una [introducción](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) a lo que encontrarás en la guía.
- Serie de la tienda VTEX + Serie de la tienda VTEX
La **Serie de la tienda VTEX** presenta el contexto inaugural de la operación, comenzando por la definición del [tipo de cuenta y arquitectura](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/4yPqZQyj0t675QpcG7H6yl) que mejor se adaptan a las necesidades de tu negocio. A partir de ese punto, puedes llevar a cabo la [configuración inicial](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/4EPwTXx5oFdSG1dA3zIchz) y la configuración de los [módulos](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/75MX4aorniD0BYAB8Nwbo7) de la plataforma, enfocándote en acelerar la inauguración de la tienda. Una vez finalizadas las [integraciones de backend](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/7euXDZR5CCnVFSrXyczIhu) y la implementación de la [tecnología de frontend](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/67SCtUreXxKYWhZh8n0zvZ) para la construcción del storefront, es el momento del [go live](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/6xYnNxDHUcY6FyChgziCoH) y de la inauguración de la nueva tienda.
- Proximos pasos tras el go live + Proximos pasos tras el go live
La serie **Próximos pasos tras el go live** presenta la manera en que se realiza el [comercio unificado](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/5Qvw31yH2FPDBl14K5xXHA) con los recursos de la plataforma, abordando [configuración de módulos](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/V1fs7IkfYMfn91ZVHTLu4) no mencionada anteriormente, ya que en este punto el enfoque está en la evolución de la operación. Esta serie también presenta los [productos add-on](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/1t2QBZvrOBSLgvHaAV9fYm) de VTEX, una variedad de productos que pueden adquirirse por separado para posibilitar nuevas estrategias y la diversificación del negocio.
- VTEX Support + VTEX Support
**Soporte en VTEX** presenta el [soporte](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) que proporcionamos a los clientes, que no se limita a una parte específica de la jornada. El [funcionamiento del soporte](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/2Ik9CGbPeZIHHaYFsuyId3) se aborda también en otras series, ya que la [apertura de tickets](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/6EboD7Y1BOLlWdT8JM15EE) es la vía para determinadas contrataciones y solicitudes. Esta serie ha sido diseñada para que nuestros clientes tengan la mejor experiencia con nuestros servicios y dispongan de la información necesaria para abrir tickets, ya sea en el ámbito del soporte [técnico](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3thRAdTB3gGwTB0e1fVL3T), [financiero](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3g2mhmPDx5GszNgLDICzsl) o [comercial](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3KQWGgkPOwbFTPfBxL7YwZ). @@ -73,5 +73,5 @@ Esperamos que este material contribuya al éxito de tu negocio y a tu satisfacci | [Serie de la tienda VTEX](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) | [Próximos pasos tras el go live](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS) | [Soporte en VTEX](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy) |
- Imagen ecommerce + Imagen ecommerce
diff --git a/docs/announcements/es/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md b/docs/announcements/es/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md index 07baac4f6..71973be4c 100644 --- a/docs/announcements/es/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md +++ b/docs/announcements/es/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md @@ -46,7 +46,7 @@ Para empezar a utilizar el Simulador, sigue los pasos a continuación: También puedes acceder directamente a través de la URL `https://{accountname}.myvtex.com`,` `sustituyendo `{accountname}` por el nombre de tu cuenta VTEX. 2. Agrega productos al carrito y accede al checkout en `https://{accountname}.myvtex.com/checkout/#/cart`. -3. Haz clic en el botón azul cartman-icon de la parte inferior derecha de la página para iniciar Cartman. +3. Haz clic en el botón azul cartman-icon de la parte inferior derecha de la página para iniciar Cartman. 4. Haz clic en **Simulador de promociones**. En la nueva ventana, verás los detalles de las promociones aplicadas y no aplicadas al carrito. diff --git a/docs/announcements/es/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md b/docs/announcements/es/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md index c8a3ca550..0d2f54813 100644 --- a/docs/announcements/es/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md +++ b/docs/announcements/es/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md @@ -18,9 +18,7 @@ announcementSynopsisES: 'Resuelve problemas con mayor rapidez y autonomía con n VTEX está en constante evolución para mejorar la experiencia de soporte al cliente, capacitándolo para resolver problemas de manera más eficaz y autónoma. Con el objetivo de facilitar el proceso de soporte, ahora tienes acceso a las Guías de resolución de problemas disponibles en el [Help Center](https://help.vtex.com/es/category/troubleshooting--39pDkp8qxSll6mGj0tWViz) y [Developer Portal](https://developers.vtex.com/docs/troubleshooting). Estas guías explican los posibles escenarios de error tanto en las operaciones como en el desarrollo de la tienda o aplicaciones, proporcionando orientación sobre cómo restaurar el desempeño esperado de tu tienda. - +>ℹ️ ¿Deseas contribuir a esta iniciativa? Rellena este [Formulario de feedback](https://forms.gle/PdVNZmMDMjiDfJaf8). ## ¿Cómo están organizadas las guías de resolución de problemas? Las guías de resolución de problemas están disponibles en el [Help Center](https://help.vtex.com/es/category/troubleshooting--39pDkp8qxSll6mGj0tWViz) e [Developer Portal](https://developers.vtex.com/docs/troubleshooting), y se dividen en las siguientes categorías: @@ -32,9 +30,7 @@ Las guías de resolución de problemas están disponibles en el [Help Center](ht - **Development**: sección destinada a tratar errores relacionados con el desarrollo de storefronts y aplicaciones. - **Store performance**: sección con procedimientos para depurar errores y restaurar el funcionamiento de la tienda en caso de que esté inoperativa o fuera de línea. - +>ℹ️ En el momento de la publicación de este anuncio, ya están disponibles 15 guías para consulta y se están elaborando más. ## ¿Por qué creamos esta iniciativa? Nuestro objetivo es hacer que la experiencia de soporte de VTEX sea más sencilla y eficiente. Con las nuevas guías de resolución de problemas podrás: diff --git a/docs/announcements/pt/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md b/docs/announcements/pt/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md index a6869dfd2..9b3512756 100644 --- a/docs/announcements/pt/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md +++ b/docs/announcements/pt/2020-04-06-category-mapping-now-required-for-via-varejo-marketplace.md @@ -21,7 +21,7 @@ O fluxo de integração de produtos no Via Varejo Marketplace foi [modificado na Antes não era necessário fazer nenhum mapeamento para ativar a Integração com a Via Varejo. Agora o mapeamento de categorias, variações e atributos se tornou __obrigatório__. - +>⚠️ **Atenção:** Produtos criados ou atualizados após esta mudança somente serão enviados se sua categoria, variações e atributos estiverem mapeados. ## Por que realizamos esta mudança? @@ -36,4 +36,4 @@ Para garantir o melhor posicionamento e experiência dos nossos clientes nos mar O mapeamento das categorias, variações e atributos seguindo a nossa [documentação](https://help.vtex.com/pt/tracks/configurar-integracao-da-via-varejo--3E9XylGaJ2wqwISGyw4GuY/5QVZFYNfuRIQKdq34MbTxz). - +>ℹ️ Este processo pode ser feito gradualmente conforme a necessidade e só precisa ser feito uma vez por categoria. Depois que uma categoria é mapeada com suas variações/atributos, todos produtos que fazem parte daquela categoria serão integrados normalmente sem ação adicional. diff --git a/docs/announcements/pt/2020-04-08-changing-the-conversation-tracker-mask-now-available-in-orders-management.md b/docs/announcements/pt/2020-04-08-changing-the-conversation-tracker-mask-now-available-in-orders-management.md index 4d6950450..78287646b 100644 --- a/docs/announcements/pt/2020-04-08-changing-the-conversation-tracker-mask-now-available-in-orders-management.md +++ b/docs/announcements/pt/2020-04-08-changing-the-conversation-tracker-mask-now-available-in-orders-management.md @@ -27,7 +27,7 @@ O [Conversation Tracker](https://help.vtex.com/pt/tutorial/conversation-tracker- Agora é possível mudar entre o modo Hard e Soft do Conversation Tracker acessando o módulo de Gerenciamento de Pedidos do seu Admin. Antes essa configuração estava disponível somente através do Master Data. - +>⚠️ **Atenção:** Se possível, recomendamos manter sua máscara no modo Hard para a proteção de dados sensíveis dos seus clientes (como o seu e-mail). ## Por que realizamos esta mudança? diff --git a/docs/announcements/pt/2021-01-06-lendico-installment-loans-expand-your-payment-options.md b/docs/announcements/pt/2021-01-06-lendico-installment-loans-expand-your-payment-options.md index a4e990fa0..88074ec60 100644 --- a/docs/announcements/pt/2021-01-06-lendico-installment-loans-expand-your-payment-options.md +++ b/docs/announcements/pt/2021-01-06-lendico-installment-loans-expand-your-payment-options.md @@ -19,7 +19,7 @@ Em um cenário onde o consumidor busca diversidade e facilidade de pagamentos, Por isso, a VTEX firmou uma parceria com a Lendico, que lançou a função [Boleto Parcelado](https://lendico.com.br/boleto-parcelado-varejista/), visando democratizar o poder de compra e contribuir exponencialmente para o aumento das suas vendas. - +>ℹ️ Esta opção de pagamento está disponível apenas no Brasil. ## Quem é a Lendico? diff --git a/docs/announcements/pt/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md b/docs/announcements/pt/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md index 5e6d63b4a..71142a84f 100644 --- a/docs/announcements/pt/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md +++ b/docs/announcements/pt/2023-05-31-vtex-launches-the-new-version-of-instore-vtex-sales-app.md @@ -29,7 +29,7 @@ O novo menu traz vários benefícios significativos, que destacamos abaixo: * **Navegação intuitiva:** organização aprimorada para encontrar rapidamente o que precisa. * **Consistência visual:** aparência harmonizada com outras atualizações recentes em nossa plataforma. -“menu-sales-app-pt” +“menu-sales-app-pt” ### Área de anúncios @@ -37,13 +37,13 @@ A área de anúncios permite que os lojistas exibam produtos ou resultados de pe Um dos principais recursos dessa atualização é a opção de os lojistas definirem a área do anúncio como sua página inicial. Isso permite uma experiência de usuário mais personalizada, pois os clientes são imediatamente recebidos com conteúdo selecionado e recomendações de produtos. Saiba mais no artigo [Anúncios do VTEX Sales App](https://help.vtex.com/pt/tutorial/anuncios-do-vtex-sales-app--3UtOFwbwD4muz3p72RBPmC). -“anuncio-sale-app-pt” +“anuncio-sale-app-pt” ### Performance de vendas Performance de vendas permite que o lojista tenha acesso às métricas de vendas de sua loja, tornando possível a comparação de performance entre períodos de venda e desempenho de funcionários. Saiba mais no artigo [VTEX Sales App: Performance de vendas](https://help.vtex.com/pt/tutorial/sales-app-performance-de-vendas--7i4Elt835tatBM6iqZoc56). -“vendas-da-loja-sales-app-pt” +“vendas-da-loja-sales-app-pt” ## O que precisa ser feito? diff --git a/docs/announcements/pt/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md b/docs/announcements/pt/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md index d37d5184d..96bfef781 100644 --- a/docs/announcements/pt/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md +++ b/docs/announcements/pt/2024-02-22-onboarding-guide-your-complete-journey-at-vtex.md @@ -20,7 +20,7 @@ Com foco no sucesso dos nossos clientes, a VTEX oferece soluções completas par E para que você adote facilmente novos recursos, gerencie seu negócio com autonomia e ganhe em escalabilidade, disponibilizamos o novo Guia de onboarding, um conteúdo da jornada completa de operar uma loja VTEX. O material está disponível na seção [Comece aqui](https://help.vtex.com/pt/tracks) do Help Center.
- Guia de onboarding + Guia de onboarding
## O que é o Guia de onboarding? @@ -39,19 +39,19 @@ Nosso objetivo é que clientes, parceiros e todo o ecossistema VTEX se beneficie Veja a seguir uma [introdução](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) do que você encontrará no guia.
- Trilha da loja VTEX + Trilha da loja VTEX
A **Trilha da loja VTEX** apresenta o contexto inaugural da operação, começando pela definição de qual [tipo de conta e arquitetura](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/4yPqZQyj0t675QpcG7H6yl) são adequados às necessidades do negócio. A partir disso, é possível realizar as [configurações iniciais](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/4EPwTXx5oFdSG1dA3zIchz) e as configurações dos [módulos](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/75MX4aorniD0BYAB8Nwbo7) da plataforma, focando em acelerar a inauguração da loja. Uma vez que as [integrações de backend](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/7euXDZR5CCnVFSrXyczIhu) estejam concluídas e a implementação da tecnologia de [frontend](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/67SCtUreXxKYWhZh8n0zvZ) para a construção da frente de loja tenha sido finalizada, é chegado o momento do [go-live](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/6xYnNxDHUcY6FyChgziCoH) e da inauguração da nova loja.
- Proximos passos apos o go live + Proximos passos apos o go live
A trilha **Próximos passos após o go-live** apresenta como o [comércio unificado](https://help.vtex.com/pt/tracks/proximos-passos-apos-o-go-live--3J7WFZyvTcoiwkcIVFVhIS/5Qvw31yH2FPDBl14K5xXHA) é realizado com os recursos da plataforma, incluindo [configurações de módulos](https://help.vtex.com/pt/tracks/proximos-passos-apos-o-go-live--3J7WFZyvTcoiwkcIVFVhIS/V1fs7IkfYMfn91ZVHTLu4) não mencionadas anteriormente, pois aqui o foco é na evolução da operação. Esta trilha apresenta também os [produtos Add on](https://help.vtex.com/pt/tracks/proximos-passos-apos-o-go-live--3J7WFZyvTcoiwkcIVFVhIS/1t2QBZvrOBSLgvHaAV9fYm) da VTEX, uma série de produtos que podem ser adquiridos à parte para permitir novas estratégias e diversificação do negócio.
- Suporte na VTEX + Suporte na VTEX
O **Suporte na VTEX** apresenta o [suporte](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) que prestamos aos clientes, o que não se restringe a uma parte específica da jornada. O [funcionamento do suporte](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/2Ik9CGbPeZIHHaYFsuyId3) é inclusive referenciado nas outras trilhas, pois a [abertura de chamados](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/6EboD7Y1BOLlWdT8JM15EE) é a via para determinadas contratações e solicitações. Esta trilha foi organizada para que os nossos clientes tenham a melhor experiência com nossos serviços e que disponham das informações necessárias à abertura de chamados, seja no contexto de suporte [técnico](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/3thRAdTB3gGwTB0e1fVL3T), [financeiro](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/3g2mhmPDx5GszNgLDICzsl) ou [comercial](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/3KQWGgkPOwbFTPfBxL7YwZ). @@ -72,5 +72,5 @@ Desejamos que este material contribua para o sucesso do seu negócio e sua satis | [Trilha da loja VTEX](https://help.vtex.com/pt/tracks/trilha-da-loja-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) | [Próximos passos após o go-live](https://help.vtex.com/pt/tracks/proximos-passos-apos-o-go-live--3J7WFZyvTcoiwkcIVFVhIS/7bORBaAr4rIG3JgRi68jIK) | [Suporte na VTEX](https://help.vtex.com/pt/tracks/suporte-na-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) |
- Imagem de ecommerce + Imagem de ecommerce
diff --git a/docs/announcements/pt/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md b/docs/announcements/pt/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md index 5dfee2f79..2cd28312e 100644 --- a/docs/announcements/pt/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md +++ b/docs/announcements/pt/2024-03-13-promotion-simulator-understand-the-promotions-applied-to-the-cart.md @@ -47,7 +47,7 @@ Para começar a utilizar o simulador, siga os passos abaixo: Se preferir, você pode acessá-la diretamente pela URL `https://{nomedaconta}.myvtex.com/`, substituindo `{nomedaconta}` pelo nome da sua conta VTEX. 2. Adicione produtos no carrinho e acesse o checkout em `https://{nomedaconta}.myvtex.com/checkout/#/cart`. -3. Clique no botão azul cartman-icon no canto inferior direito da página para iniciar o Cartman. +3. Clique no botão azul cartman-icon no canto inferior direito da página para iniciar o Cartman. 4. Clique em **Simulador de promoções**. Na nova janela, você verá os detalhes das promoções aplicadas e não aplicadas ao carrinho. diff --git a/docs/announcements/pt/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md b/docs/announcements/pt/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md index 1e9a4446b..3c4384240 100644 --- a/docs/announcements/pt/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md +++ b/docs/announcements/pt/2024-07-08-troubleshooting-guides-your-new-vtex-self-service-experience.md @@ -18,9 +18,7 @@ announcementSynopsisPT: 'Resolva problemas com mais rapidez e autonomia com noss A VTEX está em constante evolução para melhorar a experiência de suporte ao cliente e capacitá-lo a resolver problemas com mais eficiência e autonomia. Com o objetivo de facilitar o seu suporte, agora você tem acesso aos Guias de Troubleshooting disponíveis no [Help Center](https://help.vtex.com/pt/category/troubleshooting--39pDkp8qxSll6mGj0tWViz) e [Developer Portal](https://developers.vtex.com/docs/troubleshooting). Esses guias explicam os possíveis cenários de erros em operações da loja e durante o desenvolvimento da loja ou apps, e orientam como atuar para restaurar o desempenho esperado para a sua loja. - +>ℹ️ Quer contribuir com esta iniciativa? Preencha este [Formulário de feedback](https://forms.gle/PdVNZmMDMjiDfJaf8). ## Como estão organizados os Guias de Troubleshooting? Os Guias de Troubleshooting estão disponíveis no [Help Center](https://help.vtex.com/category/troubleshooting--39pDkp8qxSll6mGj0tWViz) e [Developer Portal](https://developers.vtex.com/docs/troubleshooting), e estão divididos em categorias da seguinte forma: @@ -32,9 +30,7 @@ Os Guias de Troubleshooting estão disponíveis no [Help Center](https://help.vt - **Development**: Seção destinada a abordar erros relacionados ao desenvolvimento de frente de loja e aplicativos. - **Store performance**: Seção com procedimentos para depurar erros e restaurar o funcionamento da loja caso esteja inoperante ou fora do ar. - +>ℹ️ Até o momento da publicação deste Announcement, 15 guias já estão disponíveis para consulta e outros mais estão sendo produzidos. ## Por que criamos esta iniciativa? Nosso objetivo é tornar a experiência de suporte VTEX mais simples e eficiente. Com os novos guias de Troubleshooting você poderá: diff --git a/docs/faq/en/faq-vtex-shipping-network.md b/docs/faq/en/faq-vtex-shipping-network.md index acd2ec584..a34693a04 100644 --- a/docs/faq/en/faq-vtex-shipping-network.md +++ b/docs/faq/en/faq-vtex-shipping-network.md @@ -14,4 +14,4 @@ locale: en legacySlug: faq-vtex-log --- - +>⚠️ Content under translation. diff --git a/docs/faq/en/how-to-set-up-multiple-accounts-in-the-mercado-livre-integration.md b/docs/faq/en/how-to-set-up-multiple-accounts-in-the-mercado-livre-integration.md index f1a4308f3..1095634ff 100644 --- a/docs/faq/en/how-to-set-up-multiple-accounts-in-the-mercado-livre-integration.md +++ b/docs/faq/en/how-to-set-up-multiple-accounts-in-the-mercado-livre-integration.md @@ -14,4 +14,4 @@ locale: en legacySlug: --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/faq/en/i-ve-activated-a-product-subscription-but-it-doesnt-appear-on-the-site.md b/docs/faq/en/i-ve-activated-a-product-subscription-but-it-doesnt-appear-on-the-site.md index 2d1c55776..fd3a9dd00 100644 --- a/docs/faq/en/i-ve-activated-a-product-subscription-but-it-doesnt-appear-on-the-site.md +++ b/docs/faq/en/i-ve-activated-a-product-subscription-but-it-doesnt-appear-on-the-site.md @@ -14,9 +14,7 @@ locale: en legacySlug: i-ve-activated-a-product-recurrence-but-it-doesnt-appear-on-the-site --- -
-

Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

-
+>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. Whenever you change or create a subscription, you need to reindex your SKUs to make it work properly. In doing so, you will be saving the information that such SKU has an attachment (in this case, subscription) and should be treated differently. @@ -31,6 +29,6 @@ For manual inclusion of specific SKUs, follow these step-by-step instructions: 5. Name your Collection (the other fields are not to be filled). 6. Insert the SKUs in the field and __separate them with commas__. -![recurrence-specific-skus](https://images.ctfassets.net/alneenqid6w5/70r903nMha2s220AsC2W6k/2fa8421274d56304d680388cc3309323/recurrence-specific-skus.png) +![recurrence-specific-skus](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/i-ve-activated-a-product-subscription-but-it-doesnt-appear-on-the-site-0.png) Finally, give a name to the __Group__ of your Collection and click __Save Group__. diff --git a/docs/faq/en/nao-encontro-uma-colecao-o-que-fazer.md b/docs/faq/en/nao-encontro-uma-colecao-o-que-fazer.md index 3dc1c1a20..4b6159543 100644 --- a/docs/faq/en/nao-encontro-uma-colecao-o-que-fazer.md +++ b/docs/faq/en/nao-encontro-uma-colecao-o-que-fazer.md @@ -14,16 +14,14 @@ locale: en legacySlug: nao-encontro-uma-colecao-o-que-fazer --- -
-

Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

-
+>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. By default, the CMS module only displays the __last 20 collections__ updated. So if your store has more than 20 collections, it's normal for some of them not to appear in the list shown in the CMS. -![findCollection1](https://images.contentful.com/alneenqid6w5/1DM1TNjCKYsY0KQkMgycGm/c49a70d5570d62c993539114d8596549/findCollection1.png) +![findCollection1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/nao-encontro-uma-colecao-o-que-fazer-0.png) But you can fetch any collection using the __search field__ (Find), including those that are not displayed by default. -![findCollection2](https://images.contentful.com/alneenqid6w5/6LBUTpvCH64Uc2CQEwiigk/5739b97f92b27ec9fc40fb4e93ffb2af/findCollection2.png) +![findCollection2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/nao-encontro-uma-colecao-o-que-fazer-1.png) diff --git a/docs/faq/es/faq-vtex-shipping-network.md b/docs/faq/es/faq-vtex-shipping-network.md index d86ab70ac..0496efffd 100644 --- a/docs/faq/es/faq-vtex-shipping-network.md +++ b/docs/faq/es/faq-vtex-shipping-network.md @@ -14,4 +14,4 @@ locale: es legacySlug: faq-vtex-log --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/known-issues/en/address-field-comes-with-null-vaule-in-payments-api-query.md b/docs/known-issues/en/address-field-comes-with-null-vaule-in-payments-api-query.md index 3f365b5bb..1a2641bce 100644 --- a/docs/known-issues/en/address-field-comes-with-null-vaule-in-payments-api-query.md +++ b/docs/known-issues/en/address-field-comes-with-null-vaule-in-payments-api-query.md @@ -1,6 +1,6 @@ --- title: "'Address' field comes with 'null' vaule in Payment's API query" -id: 7oEEc24umACsOoy4Ceso2W +id: 7oEEc24umACsOoy4Ceso2W' status: PUBLISHED createdAt: 2018-01-11T16:33:01.231Z updatedAt: 2022-12-22T20:45:31.741Z diff --git a/docs/known-issues/en/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md b/docs/known-issues/en/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md new file mode 100644 index 000000000..e84e7f7d2 --- /dev/null +++ b/docs/known-issues/en/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md @@ -0,0 +1,48 @@ +--- +title: 'Categories that only have products setup by Similar Category do not appear on sitemap' +id: 287jVhwVikbo7cSHksIAXL +status: PUBLISHED +createdAt: 2024-09-03T17:48:53.861Z +updatedAt: 2024-09-03T17:48:55.106Z +publishedAt: 2024-09-03T17:48:55.106Z +firstPublishedAt: 2024-09-03T17:48:55.106Z +contentType: knownIssue +productTeam: Catalog +author: 2mXZkbi0oi061KicTExNjo +tag: Catalog +slug: categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap +locale: en +kiStatus: Backlog +internalReference: 1091727 +--- + +## Summary + + +A product can have a category setup and a similar category setup. With that, an URL for the similar category will be available on the frontend showing this particular product. + +For scenarios that the only products of the category are setup by this "similar category" workflow, the sitemap won't show the category. + + +## + +## Simulation + + + +1. Create a new category +2. Insert products to it only via "similar category" +3. Check that the category is not presented at the sitemap + + +## + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/en/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md b/docs/known-issues/en/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md index e68d0a0eb..88a56e506 100644 --- a/docs/known-issues/en/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md +++ b/docs/known-issues/en/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md @@ -3,8 +3,8 @@ title: 'Change v1 Item disappears from UI after being invoiced, scenario with pr id: 2OsJe5vLh2IsNUikT5VBrL status: PUBLISHED createdAt: 2024-08-13T13:11:12.493Z -updatedAt: 2024-08-13T13:53:43.754Z -publishedAt: 2024-08-13T13:53:43.754Z +updatedAt: 2024-09-03T15:09:08.208Z +publishedAt: 2024-09-03T15:09:08.208Z firstPublishedAt: 2024-08-13T13:11:13.338Z contentType: knownIssue productTeam: Order Management @@ -23,7 +23,7 @@ We identified a scenario in Change V1 where, after applying a "buy 2 and get a d Since Change V1 does not use the itemIndex, validation is done by the id, which generates this behavior. -We emphasize that this is only a behavior in the UI; via API, the order remains intact!. +In this case, we will also not have the information about the item invoiced in the API. ## diff --git a/docs/known-issues/en/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md b/docs/known-issues/en/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md new file mode 100644 index 000000000..9b1d7ad3b --- /dev/null +++ b/docs/known-issues/en/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md @@ -0,0 +1,48 @@ +--- +title: "Same SKU in multiple lists in 'Buy Together' promotions on the new UI is causing the promotion to not apply at the checkout" +id: 4M9UZhQqkU4Tl07lyLPtMt +status: PUBLISHED +createdAt: 2024-09-03T10:55:07.063Z +updatedAt: 2024-09-03T16:20:49.709Z +publishedAt: 2024-09-03T16:20:49.709Z +firstPublishedAt: 2024-09-03T10:55:07.909Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout +locale: en +kiStatus: Backlog +internalReference: 1091209 +--- + +## Summary + + +There is an issue in the new UI where "Buy Together" promotions allow the same SKU to be added to both List 1 and List 2 without any warning or error. This is not an intended use of the promotion type, as "Buy Together" promotions are designed to work with distinct SKUs in each list. The configuration may lead to unexpected behaviors, such as the promotion not applying correctly at checkout. + + +## + +## Simulation + + + +1. Go to the VTEX Admin panel and ensure you are using the new UI for promotion management. +2. Create a "Buy Together" promotion. +3. Add the same SKU to both List 1 and List 2. +4. Save the promotion without encountering any warnings or errors. +5. Attempt to apply the promotion at checkout using items from List 1 and List 2. + + +## + +## Workaround + + +Currently, there is no workaround available for this issue in the new UI. Merchants are advised to avoid adding the same SKU to both lists when configuring "Buy Together" promotions. Instead, consider using distinct SKUs for each list or using the "More for Less" promotion type to achieve similar results without conflicts. + + + + + diff --git a/docs/known-issues/en/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md b/docs/known-issues/en/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md new file mode 100644 index 000000000..056b5ea66 --- /dev/null +++ b/docs/known-issues/en/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md @@ -0,0 +1,48 @@ +--- +title: "Some Payment Methods are not displayed at 'Buy Together' promotions on the New UI" +id: MDXIGrCng2fJOUibsc2RK +status: PUBLISHED +createdAt: 2024-09-03T01:49:54.371Z +updatedAt: 2024-09-03T16:20:34.234Z +publishedAt: 2024-09-03T16:20:34.234Z +firstPublishedAt: 2024-09-03T01:49:55.512Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui +locale: en +kiStatus: Backlog +internalReference: 1091169 +--- + +## Summary + + +There is an issue where certain payment methods are not displayed correctly when configuring "Buy Together" promotions on the new UI. Specifically, payment methods that have special conditions set by Sales Channel are not being supported. The legacy UI does not have this problem. + + +## + +## Simulation + + +To reproduce this behavior: + +1. Navigate to the VTEX Admin panel and ensure you are using the new UI for promotion management. +2. Go to the "Buy Together" promotion configuration. +3. Attempt to add a payment method with special conditions set by Sales Channel. +4. Observe that the payment method does not appear in the available list for the promotion. + + +## + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/en/ssq-disabled-for-search-pages-with-map-parameters.md b/docs/known-issues/en/ssq-disabled-for-search-pages-with-map-parameters.md new file mode 100644 index 000000000..5d95648e5 --- /dev/null +++ b/docs/known-issues/en/ssq-disabled-for-search-pages-with-map-parameters.md @@ -0,0 +1,47 @@ +--- +title: 'SSQ disabled for search pages with map parameters' +id: 4hbo7YxKAxLOkhT21w1Q4e +status: PUBLISHED +createdAt: 2024-09-04T12:52:05.855Z +updatedAt: 2024-09-04T12:52:11.844Z +publishedAt: 2024-09-04T12:52:11.844Z +firstPublishedAt: 2024-09-04T12:52:06.843Z +contentType: knownIssue +productTeam: Store Framework +author: 2mXZkbi0oi061KicTExNjo +tag: Store Framework +slug: ssq-disabled-for-search-pages-with-map-parameters +locale: en +kiStatus: Backlog +internalReference: 1092143 +--- + +## Summary + + +In search pages that use the map parameters, the SSQ is disabled, and the queries made after the page is mounted are not present in the HTML. + + +## + +## Simulation + + + +- Open a search page that uses the map parameters (?map=c,c,c,b) +- Note the meta title of the page +- Search for the title in the source code +- It will not be found + + +## + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/en/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md b/docs/known-issues/en/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md index a7a362d38..3ade0b9f5 100644 --- a/docs/known-issues/en/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md +++ b/docs/known-issues/en/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md @@ -21,7 +21,7 @@ internalReference: The price filter shows the lowest price registered, ignoring the sales policy to which it is linked. This case is specific to products with multiple value tables (associated with different sales policies). In this case, the filter takes into account products for the São Paulo region, but when looking for the price with the discount for the file, it takes the lowest price, which is for Paraná, since the discount in fact being applied is 10%. diff --git a/docs/known-issues/es/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md b/docs/known-issues/es/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md new file mode 100644 index 000000000..23270355a --- /dev/null +++ b/docs/known-issues/es/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md @@ -0,0 +1,48 @@ +--- +title: 'Las categorías que sólo tienen productos configurados por Categoría similar no aparecen en el mapa del sitio.' +id: 287jVhwVikbo7cSHksIAXL +status: PUBLISHED +createdAt: 2024-09-03T17:48:53.861Z +updatedAt: 2024-09-03T17:48:55.106Z +publishedAt: 2024-09-03T17:48:55.106Z +firstPublishedAt: 2024-09-03T17:48:55.106Z +contentType: knownIssue +productTeam: Catalog +author: 2mXZkbi0oi061KicTExNjo +tag: Catalog +slug: las-categorias-que-solo-tienen-productos-configurados-por-categoria-similar-no-aparecen-en-el-mapa-del-sitio +locale: es +kiStatus: Backlog +internalReference: 1091727 +--- + +## Sumario + +>ℹ️ Este problema conocido ha sido traducido automáticamente del inglés. + + +Un producto puede tener una categoría configurada y una categoría similar configurada. Con eso, una URL para la categoría similar estará disponible en el frontend mostrando este producto en particular. + +En el caso de que los únicos productos de la categoría estén configurados por este flujo de trabajo de "categoría similar", el mapa del sitio no mostrará la categoría. + + + +## Simulación + + + +1. Crear una nueva categoría +2. Insertar productos en ella sólo a través de "categoría similar" +3. Compruebe que la categoría no se presenta en el mapa del sitio + + + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/es/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md b/docs/known-issues/es/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md index 8d739c407..51d1cff39 100644 --- a/docs/known-issues/es/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md +++ b/docs/known-issues/es/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md @@ -3,8 +3,8 @@ title: 'Cambiar v1 El artículo desaparece de la interfaz de usuario después de id: 2OsJe5vLh2IsNUikT5VBrL status: PUBLISHED createdAt: 2024-08-13T13:11:12.493Z -updatedAt: 2024-08-13T13:53:43.754Z -publishedAt: 2024-08-13T13:53:43.754Z +updatedAt: 2024-09-03T15:09:08.208Z +publishedAt: 2024-09-03T15:09:08.208Z firstPublishedAt: 2024-08-13T13:11:13.338Z contentType: knownIssue productTeam: Order Management @@ -25,7 +25,7 @@ Hemos identificado un escenario en Change V1 en el que, tras aplicar una promoci Dado que Change V1 no utiliza el itemIndex, la validación se realiza por el id, lo que genera este comportamiento. -Hacemos hincapié en que esto es sólo un comportamiento en la UI; a través de la API, ¡el pedido permanece intacto!. +En este caso, tampoco tendremos la información sobre el artículo facturado en la API. ## @@ -33,7 +33,7 @@ Hacemos hincapié en que esto es sólo un comportamiento en la UI; a través de ## Simulación -Para simular este escenario, debe crear una promoción del tipo "compre 2 y obtenga un descuento en la segunda unidad", luego facture sólo uno de los artículos del pedido y elimine el otro a través de change v1. +Para simular este escenario, es necesario crear una promoción del tipo "compre 2 y obtenga un descuento en la segunda unidad", luego facturar sólo uno de los artículos del pedido y eliminar el otro a través del cambio v1. Se identificará el comportamiento descrito en este KI, es decir, el producto que se facturó no aparecerá en la UI de Pedidos. diff --git a/docs/known-issues/es/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md b/docs/known-issues/es/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md new file mode 100644 index 000000000..308e2e760 --- /dev/null +++ b/docs/known-issues/es/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md @@ -0,0 +1,48 @@ +--- +title: "El mismo SKU en varias listas de promociones 'Comprar juntos' en la nueva interfaz de usuario hace que la promoción no se aplique en la caja." +id: 4M9UZhQqkU4Tl07lyLPtMt +status: PUBLISHED +createdAt: 2024-09-03T10:55:07.063Z +updatedAt: 2024-09-03T16:20:49.709Z +publishedAt: 2024-09-03T16:20:49.709Z +firstPublishedAt: 2024-09-03T10:55:07.909Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: el-mismo-sku-en-varias-listas-de-promociones-comprar-juntos-en-la-nueva-interfaz-de-usuario-hace-que-la-promocion-no-se-aplique-en-la-caja +locale: es +kiStatus: Backlog +internalReference: 1091209 +--- + +## Sumario + +>ℹ️ Este problema conocido ha sido traducido automáticamente del inglés. + + +Existe un problema en la nueva interfaz de usuario por el que las promociones "Comprar juntos" permiten añadir el mismo SKU tanto a la Lista 1 como a la Lista 2 sin ninguna advertencia ni error. Este no es un uso previsto del tipo de promoción, ya que las promociones "Comprar juntos" están diseñadas para funcionar con SKU distintas en cada lista. La configuración puede dar lugar a comportamientos inesperados, como que la promoción no se aplique correctamente en la caja. + + + +## Simulación + + + +1. Vaya al panel de administración de VTEX y asegúrese de que está utilizando la nueva interfaz de usuario para la gestión de promociones. +2. Crea una promoción de "Comprar juntos". +3. Añade el mismo SKU tanto a la Lista 1 como a la Lista 2. +4. Guarde la promoción sin encontrar ninguna advertencia o error. +5. 5. Intente aplicar la promoción en la caja utilizando los artículos de la Lista 1 y la Lista 2. + + + +## Workaround + + +Actualmente, no hay ninguna solución disponible para este problema en la nueva interfaz de usuario. Se recomienda a los vendedores que eviten añadir el mismo SKU a ambas listas cuando configuren promociones "Comprar juntos". En su lugar, considere la posibilidad de utilizar SKU distintas para cada lista o de utilizar el tipo de promoción "Más por menos" para obtener resultados similares sin conflictos. + + + + + diff --git a/docs/known-issues/es/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md b/docs/known-issues/es/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md new file mode 100644 index 000000000..94f4ea797 --- /dev/null +++ b/docs/known-issues/es/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md @@ -0,0 +1,48 @@ +--- +title: "Algunos métodos de pago no se muestran en las promociones 'Comprar juntos' de la nueva interfaz de usuario." +id: MDXIGrCng2fJOUibsc2RK +status: PUBLISHED +createdAt: 2024-09-03T01:49:54.371Z +updatedAt: 2024-09-03T16:20:34.234Z +publishedAt: 2024-09-03T16:20:34.234Z +firstPublishedAt: 2024-09-03T01:49:55.512Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: algunos-metodos-de-pago-no-se-muestran-en-las-promociones-comprar-juntos-de-la-nueva-interfaz-de-usuario +locale: es +kiStatus: Backlog +internalReference: 1091169 +--- + +## Sumario + +>ℹ️ Este problema conocido ha sido traducido automáticamente del inglés. + + +Existe un problema por el que determinados métodos de pago no se muestran correctamente al configurar promociones "Comprar juntos" en la nueva interfaz de usuario. En concreto, los métodos de pago que tienen condiciones especiales establecidas por el canal de ventas no son compatibles. La interfaz heredada no tiene este problema. + + + +## Simulación + + +Para reproducir este comportamiento: + +1. Navegue al panel de administración de VTEX y asegúrese de que está utilizando la nueva interfaz de usuario para la gestión de promociones. +2. Vaya a la configuración de la promoción "Comprar juntos". +3. Intente añadir un método de pago con condiciones especiales establecidas por Canal de Ventas. +4. Observe que la forma de pago no aparece en la lista de disponibles para la promoción. + + + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/es/ssq-disabled-for-search-pages-with-map-parameters.md b/docs/known-issues/es/ssq-disabled-for-search-pages-with-map-parameters.md new file mode 100644 index 000000000..d7d4ccad3 --- /dev/null +++ b/docs/known-issues/es/ssq-disabled-for-search-pages-with-map-parameters.md @@ -0,0 +1,48 @@ +--- +title: 'SSQ desactivado para páginas de búsqueda con parámetros de mapa' +id: 4hbo7YxKAxLOkhT21w1Q4e +status: PUBLISHED +createdAt: 2024-09-04T12:52:05.855Z +updatedAt: 2024-09-04T12:52:11.844Z +publishedAt: 2024-09-04T12:52:11.844Z +firstPublishedAt: 2024-09-04T12:52:06.843Z +contentType: knownIssue +productTeam: Store Framework +author: 2mXZkbi0oi061KicTExNjo +tag: Store Framework +slug: ssq-desactivado-para-paginas-de-busqueda-con-parametros-de-mapa +locale: es +kiStatus: Backlog +internalReference: 1092143 +--- + +## Sumario + +>ℹ️ Este problema conocido ha sido traducido automáticamente del inglés. + + +En las páginas de búsqueda que utilizan los parámetros del mapa, el SSQ está desactivado, y las consultas realizadas después de montar la página no están presentes en el HTML. + + +## + +## Simulación + + + +- Abra una página de búsqueda que utilice los parámetros del mapa (?map=c,c,c,b) +- Observe el meta título de la página +- Busca el título en el código fuente +- No se encontrará + + + +## Workaround + + +NO SE ENCUENTRA + + + + + diff --git a/docs/known-issues/es/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md b/docs/known-issues/es/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md index d8960aefd..576d55f07 100644 --- a/docs/known-issues/es/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md +++ b/docs/known-issues/es/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md @@ -21,7 +21,7 @@ internalReference: El filtro de precio está considerando el menor precio registrado sin considerar la política comercial a la que está vinculado. Ese caso es específico para productos que poseen múltiples tablas de valores (asociadas a distintas políticas comerciales). En ese escenario, el filtro se hizo considerando productos para la región de San Pablo, pero al buscar el precio con el descuento para el filtro, se verificó que el menor precio es el de Paraná, ya que el descuento que de hecho se está aplicando es del 10%. diff --git a/docs/known-issues/pt/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md b/docs/known-issues/pt/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md new file mode 100644 index 000000000..67c2a0ac5 --- /dev/null +++ b/docs/known-issues/pt/categories-that-only-have-products-setup-by-similar-category-do-not-appear-on-sitemap.md @@ -0,0 +1,35 @@ +--- +title: 'As categorias que têm apenas produtos configurados por Categoria semelhante não aparecem no mapa do site' +id: 287jVhwVikbo7cSHksIAXL +status: PUBLISHED +createdAt: 2024-09-03T17:48:53.861Z +updatedAt: 2024-09-03T17:48:55.106Z +publishedAt: 2024-09-03T17:48:55.106Z +firstPublishedAt: 2024-09-03T17:48:55.106Z +contentType: knownIssue +productTeam: Catalog +author: 2mXZkbi0oi061KicTExNjo +tag: Catalog +slug: as-categorias-que-tem-apenas-produtos-configurados-por-categoria-semelhante-nao-aparecem-no-mapa-do-site +locale: pt +kiStatus: Backlog +internalReference: 1091727 +--- + +## Sumário + +>ℹ️ Este problema conhecido foi traduzido automaticamente do inglês. + + +Um produto pode ter uma configuração de categoria e uma configuração de categoria semelhante. Com isso, um URL para a categoria semelhante estará disponível no frontend mostrando esse produto específico. + +Em cenários em que os únicos produtos da categoria são configurados por esse fluxo de trabalho de "categoria semelhante", o mapa do site não mostrará a categoria. + +## Simulação + + + +## Workaround + + + diff --git a/docs/known-issues/pt/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md b/docs/known-issues/pt/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md index 775163345..b793106f9 100644 --- a/docs/known-issues/pt/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md +++ b/docs/known-issues/pt/change-v1-item-disappears-from-ui-after-being-invoiced-scenario-with-promotion.md @@ -3,8 +3,8 @@ title: 'Alterar v1 O item desaparece da interface do usuário após ser faturado id: 2OsJe5vLh2IsNUikT5VBrL status: PUBLISHED createdAt: 2024-08-13T13:11:12.493Z -updatedAt: 2024-08-13T13:53:43.754Z -publishedAt: 2024-08-13T13:53:43.754Z +updatedAt: 2024-09-03T15:09:08.208Z +publishedAt: 2024-09-03T15:09:08.208Z firstPublishedAt: 2024-08-13T13:11:13.338Z contentType: knownIssue productTeam: Order Management @@ -21,16 +21,16 @@ internalReference: 1080187 >ℹ️ Este problema conhecido foi traduzido automaticamente do inglês. -Identificamos um cenário na Change V1 em que, depois de aplicar uma promoção "compre 2 e ganhe um desconto na segunda unidade", quando faturamos um dos itens e o segundo é removido por meio da Change V1, as informações sobre o produto que foi faturado desaparecem da UI de pedidos, deixando apenas as informações sobre o item que foi removido na Change V1. +Identificamos um cenário na Change V1 em que, após aplicar uma promoção "compre 2 e ganhe um desconto na segunda unidade", quando faturamos um dos itens e o segundo é removido por meio da Change V1, as informações sobre o produto que foi faturado desaparecem da UI de pedidos, deixando apenas as informações sobre o item que foi removido na Change V1. Como a Change V1 não usa o itemIndex, a validação é feita pelo id, o que gera esse comportamento. -Ressaltamos que esse é apenas um comportamento na interface do usuário; via API, o pedido permanece intacto! +Nesse caso, também não teremos as informações sobre o item faturado na API. ## Simulação -Para simular esse cenário, você precisa criar uma promoção do tipo "compre 2 e ganhe desconto na segunda unidade", depois faturar apenas um dos itens do pedido e remover o outro por meio da alteração v1. +Para simular esse cenário, você precisa criar uma promoção do tipo "compre 2 e ganhe desconto na segunda unidade", depois faturar apenas um dos itens do pedido e remover o outro via change v1. O comportamento descrito neste KI será identificado, ou seja, o produto que foi faturado não aparecerá na interface do usuário de pedidos ## Workaround diff --git a/docs/known-issues/pt/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md b/docs/known-issues/pt/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md new file mode 100644 index 000000000..67b2b8364 --- /dev/null +++ b/docs/known-issues/pt/same-sku-in-multiple-lists-in-buy-together-promotions-on-the-new-ui-is-causing-the-promotion-to-not-apply-at-the-checkout.md @@ -0,0 +1,46 @@ +--- +title: "A mesma SKU em várias listas nas promoções 'Buy Together' na nova interface do usuário está fazendo com que a promoção não seja aplicada no checkout" +id: 4M9UZhQqkU4Tl07lyLPtMt +status: PUBLISHED +createdAt: 2024-09-03T10:55:07.063Z +updatedAt: 2024-09-03T16:20:49.709Z +publishedAt: 2024-09-03T16:20:49.709Z +firstPublishedAt: 2024-09-03T10:55:07.909Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: a-mesma-sku-em-varias-listas-nas-promocoes-buy-together-na-nova-interface-do-usuario-esta-fazendo-com-que-a-promocao-nao-seja-aplicada-no-checkout +locale: pt +kiStatus: Backlog +internalReference: 1091209 +--- + +## Sumário + +>ℹ️ Este problema conhecido foi traduzido automaticamente do inglês. + + +Há um problema na nova interface do usuário em que as promoções "Buy Together" permitem que a mesma SKU seja adicionada à Lista 1 e à Lista 2 sem nenhum aviso ou erro. Esse não é o uso pretendido do tipo de promoção, pois as promoções "Buy Together" foram projetadas para funcionar com SKUs distintas em cada lista. A configuração pode levar a comportamentos inesperados, como o fato de a promoção não ser aplicada corretamente no checkout. + +## Simulação + + + +1. Acesse o painel de administração da VTEX e verifique se você está usando a nova interface do usuário para o gerenciamento de promoções. +2. Crie uma promoção "Buy Together". +3. Adicione a mesma SKU à Lista 1 e à Lista 2. +4. Salve a promoção sem encontrar nenhum aviso ou erro. +5. Tente aplicar a promoção no checkout usando itens da Lista 1 e da Lista 2. + + + +## Workaround + + +No momento, não há nenhuma solução alternativa disponível para esse problema na nova interface do usuário. Recomenda-se que os comerciantes evitem adicionar a mesma SKU a ambas as listas ao configurar promoções "Buy Together". Em vez disso, considere usar SKUs distintas para cada lista ou usar o tipo de promoção "More for Less" para obter resultados semelhantes sem conflitos. + + + + + diff --git a/docs/known-issues/pt/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md b/docs/known-issues/pt/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md new file mode 100644 index 000000000..5cba684c9 --- /dev/null +++ b/docs/known-issues/pt/some-payment-methods-are-not-displayed-at-buy-together-promotions-on-the-new-ui.md @@ -0,0 +1,46 @@ +--- +title: "Alguns métodos de pagamento não são exibidos nas promoções 'Buy Together' na nova interface do usuário" +id: MDXIGrCng2fJOUibsc2RK +status: PUBLISHED +createdAt: 2024-09-03T01:49:54.371Z +updatedAt: 2024-09-03T16:20:34.234Z +publishedAt: 2024-09-03T16:20:34.234Z +firstPublishedAt: 2024-09-03T01:49:55.512Z +contentType: knownIssue +productTeam: Pricing & Promotions +author: 2mXZkbi0oi061KicTExNjo +tag: Pricing & Promotions +slug: alguns-metodos-de-pagamento-nao-sao-exibidos-nas-promocoes-buy-together-na-nova-interface-do-usuario +locale: pt +kiStatus: Backlog +internalReference: 1091169 +--- + +## Sumário + +>ℹ️ Este problema conhecido foi traduzido automaticamente do inglês. + + +Há um problema em que determinados métodos de pagamento não são exibidos corretamente ao configurar promoções "Buy Together" na nova UI. Especificamente, os métodos de pagamento que têm condições especiais definidas pelo canal de vendas não estão sendo suportados. A interface de usuário antiga não apresenta esse problema. + +## Simulação + + +Para reproduzir esse comportamento: + +1. Navegue até o painel de administração da VTEX e verifique se você está usando a nova interface do usuário para o gerenciamento de promoções. +2. Vá para a configuração da promoção "Buy Together". +3. Tente adicionar um método de pagamento com condições especiais definidas pelo Sales Channel. +4. Observe que o método de pagamento não aparece na lista disponível para a promoção. + + + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/pt/ssq-disabled-for-search-pages-with-map-parameters.md b/docs/known-issues/pt/ssq-disabled-for-search-pages-with-map-parameters.md new file mode 100644 index 000000000..f281dabd4 --- /dev/null +++ b/docs/known-issues/pt/ssq-disabled-for-search-pages-with-map-parameters.md @@ -0,0 +1,45 @@ +--- +title: 'SSQ desativado para páginas de pesquisa com parâmetros de mapa' +id: 4hbo7YxKAxLOkhT21w1Q4e +status: PUBLISHED +createdAt: 2024-09-04T12:52:05.855Z +updatedAt: 2024-09-04T12:52:11.844Z +publishedAt: 2024-09-04T12:52:11.844Z +firstPublishedAt: 2024-09-04T12:52:06.843Z +contentType: knownIssue +productTeam: Store Framework +author: 2mXZkbi0oi061KicTExNjo +tag: Store Framework +slug: ssq-desativado-para-paginas-de-pesquisa-com-parametros-de-mapa +locale: pt +kiStatus: Backlog +internalReference: 1092143 +--- + +## Sumário + +>ℹ️ Este problema conhecido foi traduzido automaticamente do inglês. + + +Nas páginas de pesquisa que usam os parâmetros de mapa, o SSQ é desativado e as consultas feitas depois que a página é montada não estão presentes no HTML. + +## Simulação + + + +- Abra uma página de pesquisa que use os parâmetros de mapa (?map=c,c,c,b) +- Observe o meta título da página +- Procure o título no código-fonte +- Ele não será encontrado + + + +## Workaround + + +N/A + + + + + diff --git a/docs/known-issues/pt/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md b/docs/known-issues/pt/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md index 282db6e79..3cbeb010f 100644 --- a/docs/known-issues/pt/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md +++ b/docs/known-issues/pt/the-price-filter-in-the-store-window-shows-the-lowest-price-registered-ignoring-the-sales-policy-to-which-it-is-linked.md @@ -21,7 +21,7 @@ internalReference: O filtro de preço está considerando o menor preço cadastrado sem considerar a política comercial a qual está atrelado. Esse caso é específico para produtos que possuem múltiplas tabelas de valores (associadas a diferentes políticas comerciais). Nesse cenário, o filtro foi feito considerando produtos para a região de São Paulo, mas ao buscar o preço com o desconto para o filtro, está considerando o menor preço que é o de Paraná, visto que o desconto que está de fato sendo aplicado é de 10%. diff --git a/docs/localization/en/arquivo_teste.md b/docs/localization/en/arquivo_teste.md deleted file mode 100644 index 6748122e8..000000000 --- a/docs/localization/en/arquivo_teste.md +++ /dev/null @@ -1,14 +0,0 @@ ---- -title: Markdown conversion template -slug: conversion-markdown-template -hidden: false -createdAt: 2024-08-21T00:00:00.623Z -updatedAt: "" ---- - -# Markdown content conversion and automatic translation in GitHub - -This article was created for the following purposes: - -- Validar apps script de conversão de conteúdos na linguagem markdown e, -- Simular os passos necessários para publicar um arquivo.md após ter sido traduzido automaticamente no GitHub. diff --git a/docs/localization/es/arquivo_teste.md b/docs/localization/es/arquivo_teste.md deleted file mode 100644 index b3e0a6727..000000000 --- a/docs/localization/es/arquivo_teste.md +++ /dev/null @@ -1,14 +0,0 @@ ---- -title: Template conversão para markdown em espanhol -slug: template-conversao-markdown -hidden: false -createdAt: 2024-08-21T00:00:00.623Z -updatedAt: "" ---- - -# Conversion del conteúdo em markdown e tradução automática no GitHub - -Este artigo teste foi criados para os seguintes propósitos: - -- Validar apps script de conversão de conteúdos na linguagem markdown e, -- Simular os passos necessários para publicar um arquivo.md após ter sido traduzido automaticamente no GitHub. diff --git a/docs/localization/pt/arquivo_teste.md b/docs/localization/pt/arquivo_teste.md deleted file mode 100644 index c4235315f..000000000 --- a/docs/localization/pt/arquivo_teste.md +++ /dev/null @@ -1,14 +0,0 @@ ---- -title: Template conversão para markdown -slug: template-conversao-markdown -hidden: false -createdAt: 2024-08-21T00:00:00.623Z -updatedAt: "" ---- - -# Conversão de conteúdo em markdown e tradução automática para GitHub - -Este artigo teste foi criados para os seguintes propósitos: - -- Validar apps script de conversão de conteúdos na linguagem markdown e, -- Simular os passos necessários para publicar um arquivo.md após ter sido traduzido automaticamente no GitHub. diff --git a/docs/tracks/en/about-b2w-integration.md b/docs/tracks/en/about-b2w-integration.md index 17643862d..eb64dfcce 100644 --- a/docs/tracks/en/about-b2w-integration.md +++ b/docs/tracks/en/about-b2w-integration.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/ad-types-classic-and-premium.md b/docs/tracks/en/ad-types-classic-and-premium.md index a4e4b649f..e3a6f1d64 100644 --- a/docs/tracks/en/ad-types-classic-and-premium.md +++ b/docs/tracks/en/ad-types-classic-and-premium.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/apis-registration.md b/docs/tracks/en/apis-registration.md index 70b6b9329..1a04c3128 100644 --- a/docs/tracks/en/apis-registration.md +++ b/docs/tracks/en/apis-registration.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/authorizing-mercado-livre-integration-in-vtex-panel.md b/docs/tracks/en/authorizing-mercado-livre-integration-in-vtex-panel.md index aa4fc6344..89450834a 100644 --- a/docs/tracks/en/authorizing-mercado-livre-integration-in-vtex-panel.md +++ b/docs/tracks/en/authorizing-mercado-livre-integration-in-vtex-panel.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/authorizing-via-varejo-integration-in-vtex-panel.md b/docs/tracks/en/authorizing-via-varejo-integration-in-vtex-panel.md index 905e39f92..26f9b2df0 100644 --- a/docs/tracks/en/authorizing-via-varejo-integration-in-vtex-panel.md +++ b/docs/tracks/en/authorizing-via-varejo-integration-in-vtex-panel.md @@ -14,4 +14,4 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ Content under translation. diff --git a/docs/tracks/en/autocomplete-search.md b/docs/tracks/en/autocomplete-search.md index 2e8f138fc..b0d2d2a42 100644 --- a/docs/tracks/en/autocomplete-search.md +++ b/docs/tracks/en/autocomplete-search.md @@ -26,10 +26,7 @@ Autocomplete is the functionality that displays previous search results based on - Most searched terms. - +>⚠️ When searching for a term not listed, Autocomplete will not find products with that specification and will not display any suggestions. During the interaction with the search bar, VTEX Intelligent Search immediately displays the set of _Most searched terms_ and _Last searches_ (if the customer has done searches before). @@ -48,22 +45,22 @@ Another advantage for the store's manager is the increase in conversion due to t This section displays the most searched terms on the website by other customers. -![top-busca-EN](https://images.ctfassets.net/alneenqid6w5/2gToQi6Nms00oiWUKUbARZ/a935147445ee66de24f43b5c27498119/top-busca-EN.png) +![top-busca-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-search-0.png) ## Last searches This section displays the last searches performed by the customer. This way, it is possible to start the interaction with the search instantly. -![historico-EN](https://images.ctfassets.net/alneenqid6w5/4MGjASLdfoocOJUHqNQZ3S/a1f82e4d16a67dd446bd8b00117a3744/historico-EN.png) +![historico-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-search-1.png) ## Search suggestions This section displays the terms and categories other users searched related to the search performed at that time. -![sugest-EN](https://images.ctfassets.net/alneenqid6w5/1yoepV91SSqKxLr0VVD8AX/4b80f72d4c5c5352c2399a1fbec2489e/sugest-EN.png) +![sugest-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-search-2.png) ## Product suggestion This section shows the products that correspond to the search carried out at that moment. By displaying products related to your search while you are typing, it reduces dropouts and gives the user the possibility to make a more dynamic purchase. -![produtos-EN](https://images.ctfassets.net/alneenqid6w5/5QMMNF3iCB2428Ycmswtvd/40062662cd777497d54a86eadb13a1d0/produtos-EN.png) +![produtos-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-search-3.png) diff --git a/docs/tracks/en/carrefour-integration-overview.md b/docs/tracks/en/carrefour-integration-overview.md index 75298d64c..a5606924b 100644 --- a/docs/tracks/en/carrefour-integration-overview.md +++ b/docs/tracks/en/carrefour-integration-overview.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/carrefour-marketplace.md b/docs/tracks/en/carrefour-marketplace.md index 231eece1e..fee487f74 100644 --- a/docs/tracks/en/carrefour-marketplace.md +++ b/docs/tracks/en/carrefour-marketplace.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/casas-bahia-marketplace.md b/docs/tracks/en/casas-bahia-marketplace.md index 7ffac2cdc..2cb94a224 100644 --- a/docs/tracks/en/casas-bahia-marketplace.md +++ b/docs/tracks/en/casas-bahia-marketplace.md @@ -14,4 +14,4 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/centauro-marketplace.md b/docs/tracks/en/centauro-marketplace.md index 5674c5d4e..ddfcacec7 100644 --- a/docs/tracks/en/centauro-marketplace.md +++ b/docs/tracks/en/centauro-marketplace.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugEN: centauro-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configure-integration-of-pick-up-points.md b/docs/tracks/en/configure-integration-of-pick-up-points.md index ecdd91f03..d396f1f61 100644 --- a/docs/tracks/en/configure-integration-of-pick-up-points.md +++ b/docs/tracks/en/configure-integration-of-pick-up-points.md @@ -14,4 +14,4 @@ trackId: trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/configure-warranty-in-via-varejo.md b/docs/tracks/en/configure-warranty-in-via-varejo.md index c18e900ce..d622f2c71 100644 --- a/docs/tracks/en/configure-warranty-in-via-varejo.md +++ b/docs/tracks/en/configure-warranty-in-via-varejo.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: configure-warranty-in-via-varejo --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-dafiti-connector.md b/docs/tracks/en/configuring-dafiti-connector.md index 8154d0edc..591b87499 100644 --- a/docs/tracks/en/configuring-dafiti-connector.md +++ b/docs/tracks/en/configuring-dafiti-connector.md @@ -14,5 +14,5 @@ trackId: 4wF4RBx9ygEkimW6SsKw8i trackSlugEN: dafiti-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-livelo-price-divergence-rule.md b/docs/tracks/en/configuring-livelo-price-divergence-rule.md index ad1c1d8a1..baa6a02a9 100644 --- a/docs/tracks/en/configuring-livelo-price-divergence-rule.md +++ b/docs/tracks/en/configuring-livelo-price-divergence-rule.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugEN: livelo-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-carrefour.md b/docs/tracks/en/configuring-price-divergence-rule-carrefour.md index f0cde1972..979b1e7a4 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-carrefour.md +++ b/docs/tracks/en/configuring-price-divergence-rule-carrefour.md @@ -14,5 +14,5 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-centauro.md b/docs/tracks/en/configuring-price-divergence-rule-centauro.md index f17b3f3ec..371dea35f 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-centauro.md +++ b/docs/tracks/en/configuring-price-divergence-rule-centauro.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugEN: centauro-integration --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-dafiti.md b/docs/tracks/en/configuring-price-divergence-rule-dafiti.md index c15e2d2e1..ace9f37dc 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-dafiti.md +++ b/docs/tracks/en/configuring-price-divergence-rule-dafiti.md @@ -14,5 +14,5 @@ trackId: 4wF4RBx9ygEkimW6SsKw8i trackSlugEN: dafiti-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-magazine-luiza.md b/docs/tracks/en/configuring-price-divergence-rule-magazine-luiza.md index 25ab82488..ecf585131 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-magazine-luiza.md +++ b/docs/tracks/en/configuring-price-divergence-rule-magazine-luiza.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugEN: magazine-luiza-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-mercado-libre.md b/docs/tracks/en/configuring-price-divergence-rule-mercado-libre.md index 3ac50165c..f5ad9a32c 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-mercado-libre.md +++ b/docs/tracks/en/configuring-price-divergence-rule-mercado-libre.md @@ -14,5 +14,5 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule-netshoes.md b/docs/tracks/en/configuring-price-divergence-rule-netshoes.md index 0e390da44..369bb954e 100644 --- a/docs/tracks/en/configuring-price-divergence-rule-netshoes.md +++ b/docs/tracks/en/configuring-price-divergence-rule-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-price-divergence-rule.md b/docs/tracks/en/configuring-price-divergence-rule.md index b0ef1ec79..adb105049 100644 --- a/docs/tracks/en/configuring-price-divergence-rule.md +++ b/docs/tracks/en/configuring-price-divergence-rule.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/configuring-rappi-price-divergence-rule.md b/docs/tracks/en/configuring-rappi-price-divergence-rule.md index 7636bec0d..d05be4701 100644 --- a/docs/tracks/en/configuring-rappi-price-divergence-rule.md +++ b/docs/tracks/en/configuring-rappi-price-divergence-rule.md @@ -3,8 +3,8 @@ title: 'Configuring rappi Price Divergence rule ' id: VoIvBSldeT2A4MuRVMMi1 status: PUBLISHED createdAt: 2024-05-31T20:36:17.323Z -updatedAt: 2024-05-31T20:51:50.382Z -publishedAt: 2024-05-31T20:51:50.382Z +updatedAt: 2024-09-04T13:50:40.248Z +publishedAt: 2024-09-04T13:50:40.248Z firstPublishedAt: 2024-05-31T20:51:50.382Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugEN: rappi-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-synonyms.md b/docs/tracks/en/configuring-synonyms.md index 323583dce..4eff8b4db 100644 --- a/docs/tracks/en/configuring-synonyms.md +++ b/docs/tracks/en/configuring-synonyms.md @@ -20,9 +20,7 @@ There are two ways to set up synonyms in VTEX Admin: [individually](#creating-sy The configuration of synonyms works recursively. This means that when you add a second synonym to an existing one, it will also become a synonym for the first one. - +>ℹ️ Synonyms should not be used to resolve misspellings, plural and singular errors, or even pronouns, articles, and propositions in the search terms. On all these points, VTEX Intelligent Search is able to interpret, learn and solve them automatically through algorithms. ## Creating synonyms individually diff --git a/docs/tracks/en/configuring-the-connector-b2w.md b/docs/tracks/en/configuring-the-connector-b2w.md index 1d0a2d1ed..92d4c647a 100644 --- a/docs/tracks/en/configuring-the-connector-b2w.md +++ b/docs/tracks/en/configuring-the-connector-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-the-integration-dafiti.md b/docs/tracks/en/configuring-the-integration-dafiti.md index 8a3fd4d4d..01a5feb9b 100644 --- a/docs/tracks/en/configuring-the-integration-dafiti.md +++ b/docs/tracks/en/configuring-the-integration-dafiti.md @@ -14,5 +14,5 @@ trackId: 4wF4RBx9ygEkimW6SsKw8i trackSlugEN: dafiti-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-the-integration-rappi.md b/docs/tracks/en/configuring-the-integration-rappi.md index a4b7dd059..3ed2ba209 100644 --- a/docs/tracks/en/configuring-the-integration-rappi.md +++ b/docs/tracks/en/configuring-the-integration-rappi.md @@ -3,8 +3,8 @@ title: 'Configuring the integration' id: 1SowuK4iQngOHebFMfizYY status: PUBLISHED createdAt: 2024-05-31T20:32:15.901Z -updatedAt: 2024-05-31T20:51:41.392Z -publishedAt: 2024-05-31T20:51:41.392Z +updatedAt: 2024-09-04T13:35:11.425Z +publishedAt: 2024-09-04T13:35:11.425Z firstPublishedAt: 2024-05-31T20:51:41.392Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugEN: rappi-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md b/docs/tracks/en/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md index 549c694f3..184e7a263 100644 --- a/docs/tracks/en/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md +++ b/docs/tracks/en/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md @@ -3,8 +3,8 @@ title: 'Configuring the integration with TikTok for Business in VTEX Admin' id: 4AEUg7pEdX1beOaQhFf0wC status: PUBLISHED createdAt: 2022-04-14T21:22:01.564Z -updatedAt: 2022-04-26T13:08:43.741Z -publishedAt: 2022-04-26T13:08:43.741Z +updatedAt: 2024-09-03T19:34:18.900Z +publishedAt: 2024-09-03T19:34:18.900Z firstPublishedAt: 2022-04-18T11:52:11.581Z contentType: trackArticle productTeam: Channels @@ -51,7 +51,7 @@ In this section, you must enter your store’s information, which will be sent t * **Store name:** the name of your store as it will appear on TikTok. * **Store website:** URL of your store's website that will appear on TikTok. It cannot be changed later. * **Segment:** a field to select the market segment in which the store operates, among the options made available by TikTok. -* **Country:** the country in which the store operates. Currently, the integration is only available for Brazil. +* **Country:** the country in which the store operates. Currently, the integration is only available for Latin American countries. * **Time zone:** the time zone in which the business is located. ### Contact information @@ -78,7 +78,7 @@ After completing the integration configuration form, you need to connect your Ti On the **Set Up TikTok for Business page**, as illustrated below, please follow the configuration instructions described next. -![set-up-tiktok-for-business](https://images.ctfassets.net/alneenqid6w5/77d9v0437SxRBVXD0OUmW/290a1ece93c0fcb0fe91a1da61352513/image2.png) +![set-up-tiktok-for-business](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-the-integration-with-tiktok-for-business-in-vtex-admin-0.png) 1. Click the __TikTok for Business Account__ section and check if your account is listed. * If you want to connect another account, click `Disconnect` and repeat the login step described in [Connecting the TikTok account](#2-connecting-the-tiktok-account). diff --git a/docs/tracks/en/configuring-the-integration.md b/docs/tracks/en/configuring-the-integration.md index 56bcdd096..0aaaf6ba7 100644 --- a/docs/tracks/en/configuring-the-integration.md +++ b/docs/tracks/en/configuring-the-integration.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugEN: livelo-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/dafiti-marketplace.md b/docs/tracks/en/dafiti-marketplace.md index 3b9f35596..961eb1699 100644 --- a/docs/tracks/en/dafiti-marketplace.md +++ b/docs/tracks/en/dafiti-marketplace.md @@ -14,5 +14,5 @@ trackId: 4wF4RBx9ygEkimW6SsKw8i trackSlugEN: dafiti-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-centauro-trade-policy.md b/docs/tracks/en/defining-centauro-trade-policy.md index 71dbe80ad..fad511378 100644 --- a/docs/tracks/en/defining-centauro-trade-policy.md +++ b/docs/tracks/en/defining-centauro-trade-policy.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugEN: centauro-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-dafiti-trade-policy.md b/docs/tracks/en/defining-dafiti-trade-policy.md index cc0e437e1..ffad90558 100644 --- a/docs/tracks/en/defining-dafiti-trade-policy.md +++ b/docs/tracks/en/defining-dafiti-trade-policy.md @@ -14,5 +14,5 @@ trackId: 4wF4RBx9ygEkimW6SsKw8i trackSlugEN: dafiti-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-magazine-luiza-trade-policy.md b/docs/tracks/en/defining-magazine-luiza-trade-policy.md index fe4cc794a..c4b92492e 100644 --- a/docs/tracks/en/defining-magazine-luiza-trade-policy.md +++ b/docs/tracks/en/defining-magazine-luiza-trade-policy.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugEN: netshoes-integration-set-up-magazine-luiza --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-netshoes-trade-policy.md b/docs/tracks/en/defining-netshoes-trade-policy.md index 7f7124d4f..86cf88b22 100644 --- a/docs/tracks/en/defining-netshoes-trade-policy.md +++ b/docs/tracks/en/defining-netshoes-trade-policy.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-the-shipping-strategy-b2w.md b/docs/tracks/en/defining-the-shipping-strategy-b2w.md index 8eb11fb5f..b80cbc174 100644 --- a/docs/tracks/en/defining-the-shipping-strategy-b2w.md +++ b/docs/tracks/en/defining-the-shipping-strategy-b2w.md @@ -14,4 +14,4 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/defining-the-shipping-strategy-carrefour.md b/docs/tracks/en/defining-the-shipping-strategy-carrefour.md index f92a48bca..6586b2818 100644 --- a/docs/tracks/en/defining-the-shipping-strategy-carrefour.md +++ b/docs/tracks/en/defining-the-shipping-strategy-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/defining-the-shipping-strategy-via.md b/docs/tracks/en/defining-the-shipping-strategy-via.md index 07143bfc4..ce4d8c5d1 100644 --- a/docs/tracks/en/defining-the-shipping-strategy-via.md +++ b/docs/tracks/en/defining-the-shipping-strategy-via.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/defining-the-shipping-strategy.md b/docs/tracks/en/defining-the-shipping-strategy.md index b9680fcd6..7812b64c7 100644 --- a/docs/tracks/en/defining-the-shipping-strategy.md +++ b/docs/tracks/en/defining-the-shipping-strategy.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/extensions-hub-app-store.md b/docs/tracks/en/extensions-hub-app-store.md index 224a9954b..03d5477a3 100644 --- a/docs/tracks/en/extensions-hub-app-store.md +++ b/docs/tracks/en/extensions-hub-app-store.md @@ -18,7 +18,7 @@ The App Store is the Admin page where you can search, view and get apps to expan ## Home page -![Extensions Hub App Store home page](https://images.ctfassets.net/alneenqid6w5/3wzHr69aCqLuPG2cuT2e6y/3ee2d2f5b9ece590e163aad7fb5123ea/Extensions_Hub_App_Store_home_page_EN.png) +![Extensions Hub App Store home page](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/extensions-hub-app-store-0.png) When you log in to the store, you will see the home page with the following available options: @@ -28,13 +28,13 @@ When you log in to the store, you will see the home page with the following avai ## Search -![Extensions Hub App Store search](https://images.ctfassets.net/alneenqid6w5/1VuHQqhPZ9G88K3ZOQqny8/d71df4490f5671670f04c6786ccc182f/Extensions_Hub_App_Store_search_EN.png) +![Extensions Hub App Store search](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/extensions-hub-app-store-1.png) You can search for an app by typing its name in the search text box and pressing `Enter`. Then, you will be redirected to the search results page. The results will be the apps whose names match the text you entered in the search. The apps are displayed as square cards, where you can see the app name, headline, and price. Clicking an app will take you to the [app page](#app-page). ## App page -![Extensions Hub App Store app page](https://images.ctfassets.net/alneenqid6w5/4VdhF4EhRvcktxnlqK0nt/5b4946289b0a1ec0a29b9e12e1b94d69/Extensions_Hub_App_Store_app_page_EN.png) +![Extensions Hub App Store app page](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/extensions-hub-app-store-2.png) When you click an app on the home page or in the search results, you will be redirected to the app page. On this page, you will find detailed information about the app, including its price and the option to acquire it. @@ -62,9 +62,7 @@ Follow the steps below to get an app: After completing these steps, the app will be available in your account and installed in the store you are currently using. - +>⚠️ Before buying an app, we recommend reading the vendor terms and conditions and VTEX terms through the links available under the **Get App** button. The app pricing can be as follows: diff --git a/docs/tracks/en/indexing-history.md b/docs/tracks/en/indexing-history.md index 59c840205..1f7326539 100644 --- a/docs/tracks/en/indexing-history.md +++ b/docs/tracks/en/indexing-history.md @@ -30,7 +30,7 @@ The **Indexing status** section displays the following information: You can filter the list of indexed products for a custom view. It is important to note that the average indexing time and status breakdown will be recalculated from the products filtered. -To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. +To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/09caff4ffeaa1012d0827b8748a52a58/Captura_de_Tela_2022-09-01_a__s_13.12.32.png) diff --git a/docs/tracks/en/installation-and-setup.md b/docs/tracks/en/installation-and-setup.md index 42fd9227b..2a8e9dc9d 100644 --- a/docs/tracks/en/installation-and-setup.md +++ b/docs/tracks/en/installation-and-setup.md @@ -30,7 +30,7 @@ To install the app in your store, follow the steps below: After you complete these steps, the app will be installed on the account you entered. The next step is to fill out the basic settings that allow VTEX and Lengow to connect to each other. - +>⚠️ Your {accountName} is the identifier used to access your Admin, as seen in the URL `https://{accountName}.myvtex.com/admin` ## Connector setup diff --git a/docs/tracks/en/integrating-with-magazine-luiza.md b/docs/tracks/en/integrating-with-magazine-luiza.md index 0a1e5225b..ecde38b90 100644 --- a/docs/tracks/en/integrating-with-magazine-luiza.md +++ b/docs/tracks/en/integrating-with-magazine-luiza.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugEN: magazine-luiza-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/integration-overview-b2w.md b/docs/tracks/en/integration-overview-b2w.md index 9b7dec8fe..465b87298 100644 --- a/docs/tracks/en/integration-overview-b2w.md +++ b/docs/tracks/en/integration-overview-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tracks/en/live-support.md b/docs/tracks/en/live-support.md index c5fb3b24e..16f48b374 100644 --- a/docs/tracks/en/live-support.md +++ b/docs/tracks/en/live-support.md @@ -38,8 +38,8 @@ If you choose not to provide it, you need to define an unavailability message in >ℹ️ In case of bank or regional holidays or other dates when support will be unavailable, indicate the date and time. If the windows repeat yearly, you can select "Yearly recurrence," presetting the configuration for future windows.
    -
  1. If there are any service exceptions, indicate the unavailability windows.
    exceções ou feriados
  2. -
  3. Create an unavailability message. This message will be displayed to the users when they contact via WhatsApp during unavailable hours.
    Mensagem de indisponibilidade
  4. +
  5. If there are any service exceptions, indicate the unavailability windows.
    exceções ou feriados
  6. +
  7. Create an unavailability message. This message will be displayed to the users when they contact via WhatsApp during unavailable hours.
    Mensagem de indisponibilidade
  8. Click Save.
diff --git a/docs/tracks/en/livelo-integration-overview.md b/docs/tracks/en/livelo-integration-overview.md index 3d0f26883..ce2b9f277 100644 --- a/docs/tracks/en/livelo-integration-overview.md +++ b/docs/tracks/en/livelo-integration-overview.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugEN: livelo-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/livelo-integration-registration.md b/docs/tracks/en/livelo-integration-registration.md index 0f0e83c04..b06ddd5d2 100644 --- a/docs/tracks/en/livelo-integration-registration.md +++ b/docs/tracks/en/livelo-integration-registration.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugEN: livelo-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/magazine-luiza-marketplace.md b/docs/tracks/en/magazine-luiza-marketplace.md index 66063e244..03971c179 100644 --- a/docs/tracks/en/magazine-luiza-marketplace.md +++ b/docs/tracks/en/magazine-luiza-marketplace.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugEN: magazine-luiza-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/mapping-categories-variations-and-attributes-in-netshoes.md b/docs/tracks/en/mapping-categories-variations-and-attributes-in-netshoes.md index 60c0ee8b2..8d74251af 100644 --- a/docs/tracks/en/mapping-categories-variations-and-attributes-in-netshoes.md +++ b/docs/tracks/en/mapping-categories-variations-and-attributes-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/mapping-centauro-categories-variations-and-attributes.md b/docs/tracks/en/mapping-centauro-categories-variations-and-attributes.md index 8a491c839..472a4218d 100644 --- a/docs/tracks/en/mapping-centauro-categories-variations-and-attributes.md +++ b/docs/tracks/en/mapping-centauro-categories-variations-and-attributes.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugEN: mapping-centauro-categories-variations-and-attributes --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/mapping-product-categories-and-attributes-to-mercado-libre.md b/docs/tracks/en/mapping-product-categories-and-attributes-to-mercado-libre.md index 545fdc9ab..60fb9d945 100644 --- a/docs/tracks/en/mapping-product-categories-and-attributes-to-mercado-libre.md +++ b/docs/tracks/en/mapping-product-categories-and-attributes-to-mercado-libre.md @@ -15,4 +15,4 @@ trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/mapping-product-categories-and-attributes.md b/docs/tracks/en/mapping-product-categories-and-attributes.md index 320a4b828..77a0a2574 100644 --- a/docs/tracks/en/mapping-product-categories-and-attributes.md +++ b/docs/tracks/en/mapping-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapping product categories and attributes' id: 1Ue3UIHrelsvjYpkLL4IRx status: PUBLISHED createdAt: 2023-08-11T01:20:24.164Z -updatedAt: 2023-08-11T02:32:16.459Z -publishedAt: 2023-08-11T02:32:16.459Z +updatedAt: 2024-09-04T14:02:21.943Z +publishedAt: 2024-09-04T14:02:21.943Z firstPublishedAt: 2023-08-11T01:56:55.281Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugEN: livelo-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/mapping-rappi-product-categories-and-attributes.md b/docs/tracks/en/mapping-rappi-product-categories-and-attributes.md index 884fd4d8c..a5a456c45 100644 --- a/docs/tracks/en/mapping-rappi-product-categories-and-attributes.md +++ b/docs/tracks/en/mapping-rappi-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapping Rappi product categories and attributes' id: 6iVRkhA3WHvynIlwgQhjPc status: PUBLISHED createdAt: 2024-05-31T20:42:26.540Z -updatedAt: 2024-05-31T20:52:02.358Z -publishedAt: 2024-05-31T20:52:02.358Z +updatedAt: 2024-09-04T13:41:08.540Z +publishedAt: 2024-09-04T13:41:08.540Z firstPublishedAt: 2024-05-31T20:52:02.358Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugEN: rappi-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/mercado-libre-marketplace.md b/docs/tracks/en/mercado-libre-marketplace.md index e47b34512..819562b56 100644 --- a/docs/tracks/en/mercado-libre-marketplace.md +++ b/docs/tracks/en/mercado-libre-marketplace.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/netshoes-marketplace.md b/docs/tracks/en/netshoes-marketplace.md index d719817d5..95a936f66 100644 --- a/docs/tracks/en/netshoes-marketplace.md +++ b/docs/tracks/en/netshoes-marketplace.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/orders-products-and-freight-settings-in-netshoes.md b/docs/tracks/en/orders-products-and-freight-settings-in-netshoes.md index 4cf934a41..e4965fe54 100644 --- a/docs/tracks/en/orders-products-and-freight-settings-in-netshoes.md +++ b/docs/tracks/en/orders-products-and-freight-settings-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/overview-intelligent-search.md b/docs/tracks/en/overview-intelligent-search.md index 37ecd9d9f..3eea3722d 100644 --- a/docs/tracks/en/overview-intelligent-search.md +++ b/docs/tracks/en/overview-intelligent-search.md @@ -14,9 +14,7 @@ trackId: 19wrbB7nEQcmwzDPl1l4Cb trackSlugEN: vtex-intelligent-search --- - +>ℹ️ This app is only available for stores developed using VTEX IO. Before proceeding, you need to install and configure Intelligent Search in your store. Intelligent Search is an intelligent search platform for digital commerce. It is a native VTEX platform search solution, which helps the customer throughout their shopping journey, regardless of the channel (website, mobile app, conversational, etc.). diff --git a/docs/tracks/en/product-group-registration-in-netshoes.md b/docs/tracks/en/product-group-registration-in-netshoes.md index 5079cc33f..204961417 100644 --- a/docs/tracks/en/product-group-registration-in-netshoes.md +++ b/docs/tracks/en/product-group-registration-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/rappi-integration-overview.md b/docs/tracks/en/rappi-integration-overview.md index 4004d42bc..38da35e54 100644 --- a/docs/tracks/en/rappi-integration-overview.md +++ b/docs/tracks/en/rappi-integration-overview.md @@ -3,8 +3,8 @@ title: 'Rappi Integration overview' id: 7y40IL3ajiukMRHrX3XmC8 status: PUBLISHED createdAt: 2024-05-31T20:24:26.112Z -updatedAt: 2024-05-31T20:51:33.604Z -publishedAt: 2024-05-31T20:51:33.604Z +updatedAt: 2024-09-04T13:32:59.831Z +publishedAt: 2024-09-04T13:32:59.831Z firstPublishedAt: 2024-05-31T20:51:33.604Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugEN: rappi-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/rappi-integration-registration.md b/docs/tracks/en/rappi-integration-registration.md index 594f78ec3..0e6ce3809 100644 --- a/docs/tracks/en/rappi-integration-registration.md +++ b/docs/tracks/en/rappi-integration-registration.md @@ -3,8 +3,8 @@ title: 'Rappi integration registration' id: 4Wu9gyd5xCRC0MOb5zG9BK status: PUBLISHED createdAt: 2024-05-31T20:39:08.338Z -updatedAt: 2024-05-31T20:51:55.857Z -publishedAt: 2024-05-31T20:51:55.857Z +updatedAt: 2024-09-04T13:39:52.026Z +publishedAt: 2024-09-04T13:39:52.026Z firstPublishedAt: 2024-05-31T20:51:55.857Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugEN: rappi-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/register-mercado-livre-integration.md b/docs/tracks/en/register-mercado-livre-integration.md index 2f550200b..348399d5e 100644 --- a/docs/tracks/en/register-mercado-livre-integration.md +++ b/docs/tracks/en/register-mercado-livre-integration.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/registering-the-carrefour-integration.md b/docs/tracks/en/registering-the-carrefour-integration.md index 3addf3217..67a4a616f 100644 --- a/docs/tracks/en/registering-the-carrefour-integration.md +++ b/docs/tracks/en/registering-the-carrefour-integration.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/registering-the-centauro-integration.md b/docs/tracks/en/registering-the-centauro-integration.md index eca69c198..b9d3dbf92 100644 --- a/docs/tracks/en/registering-the-centauro-integration.md +++ b/docs/tracks/en/registering-the-centauro-integration.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugEN: registering-the-centauro-integration --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/registering-the-integration.md b/docs/tracks/en/registering-the-integration.md index fa4c2ca78..ce8215ed6 100644 --- a/docs/tracks/en/registering-the-integration.md +++ b/docs/tracks/en/registering-the-integration.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/registering-the-netshoes-integration.md b/docs/tracks/en/registering-the-netshoes-integration.md index fed9c5e9b..f286ab106 100644 --- a/docs/tracks/en/registering-the-netshoes-integration.md +++ b/docs/tracks/en/registering-the-netshoes-integration.md @@ -14,4 +14,4 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugEN: netshoes-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/sales-channel-mapping.md b/docs/tracks/en/sales-channel-mapping.md index 842a1049f..22f1564b6 100644 --- a/docs/tracks/en/sales-channel-mapping.md +++ b/docs/tracks/en/sales-channel-mapping.md @@ -22,4 +22,4 @@ For each sales channel, select the trade policy that should be used in the left ![Lengow - Sales channel mapping](https://images.ctfassets.net/alneenqid6w5/x2fhsfCef0cWzGtVQepzK/487b1b2f601979ce6c97c5822965dd00/Screen_Shot_2020-07-01_at_22.49.58.png) - +>⚠️ All [trade policies](https://help.vtex.com/en/tutorial/configuring-a-marketplace-trade-policy--tutorials_404" target="_blank) must be created and set up prior to this step. Their names do not need to correspond to the sales channel. If you do not need to adopt different catalog, pricing and shipping strategies for two sales channels, they may share the same trade policy. diff --git a/docs/tracks/en/sending-products-to-carrefour.md b/docs/tracks/en/sending-products-to-carrefour.md index bc8578c83..547ae8cda 100644 --- a/docs/tracks/en/sending-products-to-carrefour.md +++ b/docs/tracks/en/sending-products-to-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/sending-products-to-via.md b/docs/tracks/en/sending-products-to-via.md index a462a1593..4a02a31a0 100644 --- a/docs/tracks/en/sending-products-to-via.md +++ b/docs/tracks/en/sending-products-to-via.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/setting-up-a-marketplace-trade-policy-carrefour.md b/docs/tracks/en/setting-up-a-marketplace-trade-policy-carrefour.md index 1c87bfeff..8f6ec5d52 100644 --- a/docs/tracks/en/setting-up-a-marketplace-trade-policy-carrefour.md +++ b/docs/tracks/en/setting-up-a-marketplace-trade-policy-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugEN: carrefour-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/setting-up-a-marketplace-trade-policy-skyhub-b2w.md b/docs/tracks/en/setting-up-a-marketplace-trade-policy-skyhub-b2w.md index ce65a1d22..2a001f4fc 100644 --- a/docs/tracks/en/setting-up-a-marketplace-trade-policy-skyhub-b2w.md +++ b/docs/tracks/en/setting-up-a-marketplace-trade-policy-skyhub-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugEN: skyhub-b2w-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/setting-up-a-marketplace-trade-policy-viavarejo.md b/docs/tracks/en/setting-up-a-marketplace-trade-policy-viavarejo.md index dc9df418c..122f4157a 100644 --- a/docs/tracks/en/setting-up-a-marketplace-trade-policy-viavarejo.md +++ b/docs/tracks/en/setting-up-a-marketplace-trade-policy-viavarejo.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: viavarejo-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/setting-up-a-trade-policy-for-mercado-livre.md b/docs/tracks/en/setting-up-a-trade-policy-for-mercado-livre.md index be80cf697..65226e122 100644 --- a/docs/tracks/en/setting-up-a-trade-policy-for-mercado-livre.md +++ b/docs/tracks/en/setting-up-a-trade-policy-for-mercado-livre.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/setting-up-the-logistics-for-mercado-livre.md b/docs/tracks/en/setting-up-the-logistics-for-mercado-livre.md index 09a5df56a..720d9fa50 100644 --- a/docs/tracks/en/setting-up-the-logistics-for-mercado-livre.md +++ b/docs/tracks/en/setting-up-the-logistics-for-mercado-livre.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/settings-on-via-marketplace.md b/docs/tracks/en/settings-on-via-marketplace.md index b76d09d5d..9ada70433 100644 --- a/docs/tracks/en/settings-on-via-marketplace.md +++ b/docs/tracks/en/settings-on-via-marketplace.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugEN: via-varejo-integration-setup --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tracks/en/size-chart.md b/docs/tracks/en/size-chart.md index 33d881955..2643f620a 100644 --- a/docs/tracks/en/size-chart.md +++ b/docs/tracks/en/size-chart.md @@ -14,4 +14,4 @@ trackId: 2YfvI3Jxe0CGIKoWIGQEIq trackSlugEN: mercado-libre-integration-set-up --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tracks/en/specifications-mapping.md b/docs/tracks/en/specifications-mapping.md index 52a6abf4b..6564b208d 100644 --- a/docs/tracks/en/specifications-mapping.md +++ b/docs/tracks/en/specifications-mapping.md @@ -22,4 +22,4 @@ For each specification, fill in the left column with its name in VTEX and the ri ![Lengow - Specifications mapping](https://images.ctfassets.net/alneenqid6w5/4mcy8worOtuTEiPzSBHthD/8c7304156d13269af3eca4c1efa12eec/Screen_Shot_2020-07-01_at_23.00.21.png) - +>⚠️ All [specification fields](https://help.vtex.com/en/tracks/catalog-101--5AF0XfnjfWeopIFBgs3LIQ/2NQoBv8m4Yz3oQaLgDRagP" target="_blank) must be created and set up prior to this step. Make sure the name used in the mapping tables is exactly as seen in the Catalog, otherwise the connector will not be able to find the proper values to send to Lengow. diff --git a/docs/tracks/en/teste-1.md b/docs/tracks/en/teste-1.md index 5c0fdd009..5bbd18395 100644 --- a/docs/tracks/en/teste-1.md +++ b/docs/tracks/en/teste-1.md @@ -19,7 +19,7 @@ With client success in mind, VTEX offers complete solutions for different busine To help you easily adopt new resources, manage your business autonomously, and gain scalability, we have published the new **Onboarding guide** — content covering the complete journey for operating a VTEX store. This documentation will be available in the [Start here](https://help.vtex.com/en/tracks) section of the Help Center.
- Onboarding guide + Onboarding guide
## What is the Onboarding guide? @@ -39,19 +39,19 @@ Our aim is to allow clients, partners, and the VTEX ecosystem to take advantage You can find an [overview](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9) of the guide content below.
- VTEX store track + VTEX store track
The **VTEX store track** describes the initial context of the operation, starting by defining the [account type and architecture](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/4yPqZQyj0t675QpcG7H6yl) that best suit the business needs. From there, you can complete the [initial setup](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/4EPwTXx5oFdSG1dA3zIchz) and configure the platform [modules](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/75MX4aorniD0BYAB8Nwbo7), focusing on getting the operation going. Once the [backend integrations](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/7euXDZR5CCnVFSrXyczIhu) are completed and the [frontend](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/67SCtUreXxKYWhZh8n0zvZ) technology has been implemented in order to build the storefront, it's time for the [go-live](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9/6xYnNxDHUcY6FyChgziCoH) and launching the new store.
- Next steps after go live + Next steps after go live
The **Next steps after go-live** track describes how [unified commerce](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/5Qvw31yH2FPDBl14K5xXHA) is achieved with the platform resources, including [module settings](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/V1fs7IkfYMfn91ZVHTLu4) not mentioned before. The aim here is to focus on evolving the operation. This track also describes VTEX's [add-on products](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS/1t2QBZvrOBSLgvHaAV9fYm), which are products that can be requested separately for implementing new strategies and diversifying the business.
- VTEX Support + VTEX Support
The **VTEX Support** track describes the [support](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) offered by VTEX to clients, which is not restricted to a specific part of the journey. Other tracks also mention [how support works](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/2Ik9CGbPeZIHHaYFsuyId3), since [opening a ticket](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/6EboD7Y1BOLlWdT8JM15EE) is the designated channel for certain requests. The organization of this track aims to help our clients have the best experiences with our services, providing all the necessary information for opening tickets, whether for [technical](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3thRAdTB3gGwTB0e1fVL3T), [billing](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3g2mhmPDx5GszNgLDICzsl), or [commercial](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy/3KQWGgkPOwbFTPfBxL7YwZ) support. @@ -72,5 +72,5 @@ We hope this content contributes to the success of your business and your satisf | [VTEX store overview](https://help.vtex.com/en/tracks/vtex-store-overview--eSDNk26pdvemF3XKM0nK9) | [Next steps after the go-live](https://help.vtex.com/en/tracks/next-steps-after-the-go-live--3J7WFZyvTcoiwkcIVFVhIS) | [Support at VTEX](https://help.vtex.com/en/tracks/support-at-vtex--4AXsGdGHqExp9ZkiNq9eMy) |
- Ecommerce image + Ecommerce image
diff --git a/docs/tracks/en/tiktok-for-business.md b/docs/tracks/en/tiktok-for-business.md index 9f0c279c4..85a80c095 100644 --- a/docs/tracks/en/tiktok-for-business.md +++ b/docs/tracks/en/tiktok-for-business.md @@ -3,8 +3,8 @@ title: 'TikTok for Business' id: 7Dwfwu1aHMp1aR1yvej5nv status: PUBLISHED createdAt: 2022-04-14T21:09:09.787Z -updatedAt: 2022-05-25T20:18:26.115Z -publishedAt: 2022-05-25T20:18:26.115Z +updatedAt: 2024-09-03T19:37:30.309Z +publishedAt: 2024-09-03T19:37:30.309Z firstPublishedAt: 2022-04-18T11:49:25.270Z contentType: trackArticle productTeam: Channels @@ -14,7 +14,7 @@ trackId: 1r0yJSO11nrer1YVu3WTFd trackSlugEN: tiktok-integration --- ->❗ The integration with TikTok is available only for stores in **Brazil**. +>❗ The integration with TikTok is available only for stores in **Latin America**. [TikTok](https://www.tiktok.com/) is an entertainment platform for creating and sharing short videos that offers marketing tools for businesses. One of the key tools available in this context is TikTok Ads Manager, which contains advanced features for launching campaigns and managing advertising on TikTok. diff --git a/docs/tracks/en/whatsapp-integration.md b/docs/tracks/en/whatsapp-integration.md index af9735691..72eafe459 100644 --- a/docs/tracks/en/whatsapp-integration.md +++ b/docs/tracks/en/whatsapp-integration.md @@ -45,7 +45,7 @@ In addition to sending this information, the administrator must authorize the fo We also recommend [checking your store with Meta](https://www.facebook.com/business/help/1095661473946872?id=180505742745347). This step is optional for integration, but is mandatory if: * You want to initiate conversations, such as product tracking warnings, for your customers through WhatsApp. -* You want your business account to be [official](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), which allows the display of the name of the store instead of the phone number on the list and with the seal selo oficial whatsapp. +* You want your business account to be [official](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), which allows the display of the name of the store instead of the phone number on the list and with the seal selo oficial whatsapp. ## Created by the client via the VTEX Admin diff --git a/docs/tracks/es/about-b2w-integration.md b/docs/tracks/es/about-b2w-integration.md index 42c1e749e..29fdc4b91 100644 --- a/docs/tracks/es/about-b2w-integration.md +++ b/docs/tracks/es/about-b2w-integration.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/apis-registration.md b/docs/tracks/es/apis-registration.md index 24aac998a..1abd2d630 100644 --- a/docs/tracks/es/apis-registration.md +++ b/docs/tracks/es/apis-registration.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/authorizing-via-varejo-integration-in-vtex-panel.md b/docs/tracks/es/authorizing-via-varejo-integration-in-vtex-panel.md index 87dce536f..43886d88f 100644 --- a/docs/tracks/es/authorizing-via-varejo-integration-in-vtex-panel.md +++ b/docs/tracks/es/authorizing-via-varejo-integration-in-vtex-panel.md @@ -14,4 +14,4 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/autocomplete-search.md b/docs/tracks/es/autocomplete-search.md index 112c4f342..205f6aac8 100644 --- a/docs/tracks/es/autocomplete-search.md +++ b/docs/tracks/es/autocomplete-search.md @@ -24,10 +24,7 @@ Autocomplete funciona según la información obtenida a través del historial de - Sugerencia de productos. - Términos más buscados. - +>⚠️ Cuando se busca un término no registrado, Autocomplete no encuentra productos con las especificaciones deseadas y no muestra ninguna sugerencia. Durante la interacción con la barra de búsqueda, VTEX Intelligent Search inmediatamente muestra el conjunto de Términos más buscados y Últimas búsquedas, si el cliente ya ha realizado alguna búsqueda. @@ -46,22 +43,22 @@ Otra ventaja para el administrador de la tienda es el aumento de conversión, qu En esta sección se muestran los términos más buscados por otros clientes dentro del sitio web. -![PT - Autocomplete termos mais pesquisados](https://images.ctfassets.net/alneenqid6w5/6gBULnYzroBY96Ler918qJ/de1f57f6942d1c1ec554246917f524a0/PT_-_Autocomplete_termos_mais_pesquisados.png) +![PT - Autocomplete termos mais pesquisados](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-busqueda-0.png) ## Últimas búsquedas realizadas En esta sección se muestran las últimas búsquedas realizadas por el cliente. Así, es posible comenzar la interacción con la búsqueda instantáneamente. -![PT - Autocomplete historico](https://images.ctfassets.net/alneenqid6w5/1GXQ879Y9rEMXFKjVquys1/4f68e9d2277b02d56cb155ecf29fcfc6/PT_-_Autocomplete_historico.png) +![PT - Autocomplete historico](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-busqueda-1.png) ## Sugerencia de búsquedas En esta sección se muestran los términos buscados por otros usuarios que se relacionan con la búsqueda realizada en ese momento. Además de términos, también se sugieren categorías relacionadas con la búsqueda. -![PT - Autocomplete sugestao termos](https://images.ctfassets.net/alneenqid6w5/2rOg8Q94A0F8VEbueLkXDS/34faeaa87bbf7989072e3dddec7f9b04/PT_-_Autocomplete_sugestao_termos.png) +![PT - Autocomplete sugestao termos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-busqueda-2.png) ## Sugerencia de productos En esta sección se muestran los productos que coinciden con la búsqueda realizada en ese momento. Así, al mostrar productos relacionados con su búsqueda durante la escritura, se reducen las interrupciones y se le permite al usuario realizar una compra más dinámica. -![PT - Autocomplete sugestao de produtos](https://images.ctfassets.net/alneenqid6w5/1wXXgJr59cCCjz00DHA3nU/49288947b9326f3309ed7bea482a2331/PT_-_Autocomplete_sugestao_de_produtos.png) +![PT - Autocomplete sugestao de produtos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-busqueda-3.png) diff --git a/docs/tracks/es/carrefour-integration-overview.md b/docs/tracks/es/carrefour-integration-overview.md index b9648fa78..bb766d4e5 100644 --- a/docs/tracks/es/carrefour-integration-overview.md +++ b/docs/tracks/es/carrefour-integration-overview.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/carrefour-marketplace.md b/docs/tracks/es/carrefour-marketplace.md index ebed04d7c..f968dd290 100644 --- a/docs/tracks/es/carrefour-marketplace.md +++ b/docs/tracks/es/carrefour-marketplace.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/casas-bahia-marketplace.md b/docs/tracks/es/casas-bahia-marketplace.md index e9846e325..3fb85d686 100644 --- a/docs/tracks/es/casas-bahia-marketplace.md +++ b/docs/tracks/es/casas-bahia-marketplace.md @@ -14,4 +14,4 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/centauro-marketplace.md b/docs/tracks/es/centauro-marketplace.md index 2c23a6462..13ce43dd1 100644 --- a/docs/tracks/es/centauro-marketplace.md +++ b/docs/tracks/es/centauro-marketplace.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugES: integracion-con-centauro --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configure-warranty-in-via-varejo.md b/docs/tracks/es/configure-warranty-in-via-varejo.md index 614028a34..c8af064ba 100644 --- a/docs/tracks/es/configure-warranty-in-via-varejo.md +++ b/docs/tracks/es/configure-warranty-in-via-varejo.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-garantia-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-livelo-price-divergence-rule.md b/docs/tracks/es/configuring-livelo-price-divergence-rule.md index c61e7cadd..d7cdbf4cf 100644 --- a/docs/tracks/es/configuring-livelo-price-divergence-rule.md +++ b/docs/tracks/es/configuring-livelo-price-divergence-rule.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugES: integracion-de-livelo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-price-divergence-rule-carrefour.md b/docs/tracks/es/configuring-price-divergence-rule-carrefour.md index 49f0e1df7..f9152e992 100644 --- a/docs/tracks/es/configuring-price-divergence-rule-carrefour.md +++ b/docs/tracks/es/configuring-price-divergence-rule-carrefour.md @@ -14,5 +14,5 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-con-carrefour --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-price-divergence-rule-centauro.md b/docs/tracks/es/configuring-price-divergence-rule-centauro.md index 6b7b1e2c0..7daa915e5 100644 --- a/docs/tracks/es/configuring-price-divergence-rule-centauro.md +++ b/docs/tracks/es/configuring-price-divergence-rule-centauro.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugES: integracion-con-centauro --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-price-divergence-rule-magazine-luiza.md b/docs/tracks/es/configuring-price-divergence-rule-magazine-luiza.md index 15a3ba4dc..e631171d2 100644 --- a/docs/tracks/es/configuring-price-divergence-rule-magazine-luiza.md +++ b/docs/tracks/es/configuring-price-divergence-rule-magazine-luiza.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugES: configurar-la-integracion-de-magazine-luiza --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-price-divergence-rule-netshoes.md b/docs/tracks/es/configuring-price-divergence-rule-netshoes.md index 307ddc57b..30c9c8ae6 100644 --- a/docs/tracks/es/configuring-price-divergence-rule-netshoes.md +++ b/docs/tracks/es/configuring-price-divergence-rule-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-price-divergence-rule.md b/docs/tracks/es/configuring-price-divergence-rule.md index 20a9ce056..6bf06fe56 100644 --- a/docs/tracks/es/configuring-price-divergence-rule.md +++ b/docs/tracks/es/configuring-price-divergence-rule.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-rappi-price-divergence-rule.md b/docs/tracks/es/configuring-rappi-price-divergence-rule.md index 86dcf41b9..ae080777b 100644 --- a/docs/tracks/es/configuring-rappi-price-divergence-rule.md +++ b/docs/tracks/es/configuring-rappi-price-divergence-rule.md @@ -3,8 +3,8 @@ title: 'Configurar rappi regla de Divergencia de precios ' id: VoIvBSldeT2A4MuRVMMi1 status: PUBLISHED createdAt: 2024-05-31T20:36:17.323Z -updatedAt: 2024-05-31T20:51:50.382Z -publishedAt: 2024-05-31T20:51:50.382Z +updatedAt: 2024-09-04T13:50:40.248Z +publishedAt: 2024-09-04T13:50:40.248Z firstPublishedAt: 2024-05-31T20:51:50.382Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugES: integracion-de-rappi --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-synonyms.md b/docs/tracks/es/configuring-synonyms.md index 08a40c1ea..19df3c651 100644 --- a/docs/tracks/es/configuring-synonyms.md +++ b/docs/tracks/es/configuring-synonyms.md @@ -20,10 +20,7 @@ Hay dos formas de configurar sinónimos en VTEX Admin: [individualmente](#crear- La configuración de sinónimos funciona de forma recursiva. Esto significa que cuando agrega un segundo sinónimo a uno existente, también se convertirá en sinónimo del primero. - +>ℹ️ Los sinónimos no deben ser usados para resolver errores de ortografía, plural y singular o incluso pronombres, artículos y preposiciones en los términos investigados. En todos estos puntos, VTEX Intelligent Search es capaz de interpretar, aprender y resolver automáticamente por medio de algoritmos. ## Crear sinónimos individualmente diff --git a/docs/tracks/es/configuring-the-connector-b2w.md b/docs/tracks/es/configuring-the-connector-b2w.md index 9cb1d490e..a6783c015 100644 --- a/docs/tracks/es/configuring-the-connector-b2w.md +++ b/docs/tracks/es/configuring-the-connector-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-the-integration-rappi.md b/docs/tracks/es/configuring-the-integration-rappi.md index 323038e9c..9474625f7 100644 --- a/docs/tracks/es/configuring-the-integration-rappi.md +++ b/docs/tracks/es/configuring-the-integration-rappi.md @@ -3,8 +3,8 @@ title: 'Configuración de la integración' id: 1SowuK4iQngOHebFMfizYY status: PUBLISHED createdAt: 2024-05-31T20:32:15.901Z -updatedAt: 2024-05-31T20:51:41.392Z -publishedAt: 2024-05-31T20:51:41.392Z +updatedAt: 2024-09-04T13:35:11.425Z +publishedAt: 2024-09-04T13:35:11.425Z firstPublishedAt: 2024-05-31T20:51:41.392Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugES: integracion-de-rappi --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md b/docs/tracks/es/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md index 27ff07f95..652b23571 100644 --- a/docs/tracks/es/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md +++ b/docs/tracks/es/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md @@ -3,8 +3,8 @@ title: 'Configurar la integración de TikTok for Business en VTEX Admin' id: 4AEUg7pEdX1beOaQhFf0wC status: PUBLISHED createdAt: 2022-04-14T21:22:01.564Z -updatedAt: 2022-04-26T13:08:43.741Z -publishedAt: 2022-04-26T13:08:43.741Z +updatedAt: 2024-09-03T19:34:18.900Z +publishedAt: 2024-09-03T19:34:18.900Z firstPublishedAt: 2022-04-18T11:52:11.581Z contentType: trackArticle productTeam: Channels @@ -50,7 +50,7 @@ En esta sección, debes introducir información sobre tu tienda, que se enviará * **Nombre de la tienda:** nombre de la tienda tal y como se mostrará en TikTok. * **Sitio web de la tienda:** la URL del sitio web de tu tienda que aparecerá en TikTok. No se puede modificar posteriormente. * **Segmento:** campo para seleccionar el segmento en el que opera la tienda, entre las opciones que ofrece TikTok. -* **País:** país de operación de la tienda. Por el momento, la integración solo acepta a Brasil. +* **País:** país de operación de la tienda. Por el momento, la integración solo acepta países de América Latina. * **Zona horaria:** zona horaria en la que se encuentra la tienda. ### Información de contacto @@ -76,7 +76,7 @@ Después de rellenar el formulario de configuración de la integración, debes c En la página **Set up TikTok for Business** (Configurar TikTok for Business), que se muestra abajo, debes seguir las instrucciones de configuración que se describen a continuación. -![set-up-tiktok-for-business](https://images.ctfassets.net/alneenqid6w5/77d9v0437SxRBVXD0OUmW/290a1ece93c0fcb0fe91a1da61352513/image2.png) +![set-up-tiktok-for-business](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-la-integracion-de-tiktok-for-business-en-vtex-admin-0.png) 1. Haz clic en la sección **TikTok for Business Account** y verifica que tu cuenta esté en la lista. * Si quieres conectar otra cuenta, haz clic en `Disconnect` y repite el paso de inicio de sesión que se describe en [Conectar con la cuenta de TikTok](#2-conectar-con-la-cuenta-de-tiktok). diff --git a/docs/tracks/es/configuring-the-integration.md b/docs/tracks/es/configuring-the-integration.md index 327053601..7fa16340d 100644 --- a/docs/tracks/es/configuring-the-integration.md +++ b/docs/tracks/es/configuring-the-integration.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugES: integracion-de-livelo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/create-product-feed.md b/docs/tracks/es/create-product-feed.md index 69c324675..8184630d0 100644 --- a/docs/tracks/es/create-product-feed.md +++ b/docs/tracks/es/create-product-feed.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/defining-centauro-trade-policy.md b/docs/tracks/es/defining-centauro-trade-policy.md index 15b3d9f11..bb60016a0 100644 --- a/docs/tracks/es/defining-centauro-trade-policy.md +++ b/docs/tracks/es/defining-centauro-trade-policy.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugES: integracion-con-centauro --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/defining-magazine-luiza-trade-policy.md b/docs/tracks/es/defining-magazine-luiza-trade-policy.md index 94c4f2d34..0fbf287d4 100644 --- a/docs/tracks/es/defining-magazine-luiza-trade-policy.md +++ b/docs/tracks/es/defining-magazine-luiza-trade-policy.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugES: configurar-integracion-netshoes-magazine-luiza --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/defining-netshoes-trade-policy.md b/docs/tracks/es/defining-netshoes-trade-policy.md index acb5d8bed..7d10c51f3 100644 --- a/docs/tracks/es/defining-netshoes-trade-policy.md +++ b/docs/tracks/es/defining-netshoes-trade-policy.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/defining-the-shipping-strategy-b2w.md b/docs/tracks/es/defining-the-shipping-strategy-b2w.md index f247b283f..88242c97b 100644 --- a/docs/tracks/es/defining-the-shipping-strategy-b2w.md +++ b/docs/tracks/es/defining-the-shipping-strategy-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/defining-the-shipping-strategy-carrefour.md b/docs/tracks/es/defining-the-shipping-strategy-carrefour.md index d894835b1..6ca4a038a 100644 --- a/docs/tracks/es/defining-the-shipping-strategy-carrefour.md +++ b/docs/tracks/es/defining-the-shipping-strategy-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/defining-the-shipping-strategy-via.md b/docs/tracks/es/defining-the-shipping-strategy-via.md index a0b2bef4f..809aadb54 100644 --- a/docs/tracks/es/defining-the-shipping-strategy-via.md +++ b/docs/tracks/es/defining-the-shipping-strategy-via.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/extensions-hub-app-store.md b/docs/tracks/es/extensions-hub-app-store.md index 63a0620e7..d8b03da4f 100644 --- a/docs/tracks/es/extensions-hub-app-store.md +++ b/docs/tracks/es/extensions-hub-app-store.md @@ -20,7 +20,7 @@ App Store es la página del Admin VTEX donde puedes buscar, visualizar y obtener Al entrar en la tienda estarás en la página de inicio, con las siguientes opciones disponibles: -![Extensions Hub App Store página de inicio](https://images.ctfassets.net/alneenqid6w5/3wzHr69aCqLuPG2cuT2e6y/03756392e94a93e19546acc1f9e1bc75/Extensions_Hub_App_Store_home_page_ES.png) +![Extensions Hub App Store página de inicio](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/hub-de-extensiones-app-store-0.png) * **Buscar:** cuadro de texto donde puedes buscar aplicaciones en la tienda. Al escribir en el cuadro de texto y pulsar la tecla `Intro`, accederás a la [página de búsqueda](#buscar). * **Destacados:** aplicaciones y partners destacados. Los destacados aparecen en formato de tarjetas rectangulares, en las que se puede ver el título y el subtítulo. Al hacer clic en un elemento destacado, accederás a la página de una aplicación o a la de un partner. @@ -28,13 +28,13 @@ Al entrar en la tienda estarás en la página de inicio, con las siguientes opc ## Buscar -![Extensions Hub App Store busca](https://images.ctfassets.net/alneenqid6w5/1VuHQqhPZ9G88K3ZOQqny8/59564b2103a79a2e5b4ebd9dfbad5fa5/Extensions_Hub_App_Store_search_ES.png) +![Extensions Hub App Store busca](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/hub-de-extensiones-app-store-1.png) El cuadro de búsqueda te permite buscar aplicaciones por su nombre. Al escribir lo que deseas encontrar y pulsar `Intro`, se te dirigirá a la página de resultados de la búsqueda. Los resultados serán las aplicaciones cuyos nombres coincidan con el texto introducido en la búsqueda. Las aplicaciones aparecen en formato de tarjetas cuadradas, donde puedes ver el nombre, el subtítulo y el costo de la misma. Al hacer clic en una tarjeta, accederás a la [página de la aplicación](#pagina-de-la-aplicacion). ## Página de la aplicación -![Extensions Hub App Store app page](https://images.ctfassets.net/alneenqid6w5/4VdhF4EhRvcktxnlqK0nt/a08b32f1a0af455d68c111c42cf4dd75/Extensions_Hub_App_Store_app_page_ES.png) +![Extensions Hub App Store app page](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/hub-de-extensiones-app-store-2.png) Al hacer clic en una tarjeta en la página de inicio o en la búsqueda, se te dirigirá a la página de inicio de la aplicación. En esta página encontrarás toda la información sobre la aplicación, incluido el precio, y la opción de comprarla. @@ -60,9 +60,7 @@ Si deseas comprar una aplicación para tu cuenta: 3. Marca la opción **Acepto el medio de pago**, si estás de acuerdo con las condiciones. 4. Haz clic en el botón **Obtener app**. - +>⚠️ Antes de comprar una aplicación, recomendamos consultar los términos y condiciones del proveedor y los términos de VTEX a través de los enlaces disponibles debajo del botón **Obtener app**. El costo de una aplicación puede ser: diff --git a/docs/tracks/es/import-orders-from-lengow.md b/docs/tracks/es/import-orders-from-lengow.md index 67c6b542e..9afb5bece 100644 --- a/docs/tracks/es/import-orders-from-lengow.md +++ b/docs/tracks/es/import-orders-from-lengow.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/indexing-history.md b/docs/tracks/es/indexing-history.md index 9ae8a5a9a..4b035b93b 100644 --- a/docs/tracks/es/indexing-history.md +++ b/docs/tracks/es/indexing-history.md @@ -30,7 +30,7 @@ La sección **Status de la indexación** muestra la siguiente información: Puedes filtrar la lista de productos indexados para tener una vista personalizada. Cabe destacar que el tiempo medio de indexación y el desglose de los estados se recalcularán en base a los productos filtrados. -Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. +Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/382ba7a8177427afd252d481fadb50f2/Captura_de_Tela_2022-09-01_a__s_13.11.42.png) diff --git a/docs/tracks/es/installation-and-setup.md b/docs/tracks/es/installation-and-setup.md index 5912f6559..e8732a92d 100644 --- a/docs/tracks/es/installation-and-setup.md +++ b/docs/tracks/es/installation-and-setup.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/integrating-with-magazine-luiza.md b/docs/tracks/es/integrating-with-magazine-luiza.md index c617a2fdb..e70c5ca07 100644 --- a/docs/tracks/es/integrating-with-magazine-luiza.md +++ b/docs/tracks/es/integrating-with-magazine-luiza.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugES: configurar-la-integracion-de-magazine-luiza --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/integration-overview-b2w.md b/docs/tracks/es/integration-overview-b2w.md index c9d34dbf9..a70606c95 100644 --- a/docs/tracks/es/integration-overview-b2w.md +++ b/docs/tracks/es/integration-overview-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-b2w --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/live-support.md b/docs/tracks/es/live-support.md index e0317bfc1..041fe7097 100644 --- a/docs/tracks/es/live-support.md +++ b/docs/tracks/es/live-support.md @@ -37,8 +37,8 @@ Si eliges no utilizarlo, debes incluir un mensaje de indisponibilidad que indiqu ![fuso horário es](https://images.ctfassets.net/alneenqid6w5/6cJ4PNNKSc4LQl7MHuBLNA/ee9b18b394f724ea9b8c6e31eb79fcb0/horarios_funcionamento_es.png) >ℹ️ Para los feriados nacionales, regionales u otras fechas en las que no vayas a prestar servicio: informa la fecha y hora en que el servicio no estará disponible. Si los periodos se repiten anualmente, es posible seleccionar “Recurrencia anual”, predefiniendo la configuración de los periodos seleccionados.
    -
  1. En caso de existir alguna excepción, informa los periodos de indisponibilidad.
  2. -
  3. Establece un mensaje de indisponibilidad. Este mensaje se enviará cuando los clientes contacten por WhatsApp fuera de las ventanas de servicio previamente configuradas.
    Mensage de indisponibilidad
  4. +
  5. En caso de existir alguna excepción, informa los periodos de indisponibilidad.
  6. +
  7. Establece un mensaje de indisponibilidad. Este mensaje se enviará cuando los clientes contacten por WhatsApp fuera de las ventanas de servicio previamente configuradas.
    Mensage de indisponibilidad
  8. Haz clic en Guardar.
diff --git a/docs/tracks/es/livelo-integration-overview.md b/docs/tracks/es/livelo-integration-overview.md index 36aa952d0..62a156142 100644 --- a/docs/tracks/es/livelo-integration-overview.md +++ b/docs/tracks/es/livelo-integration-overview.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugES: integracion-de-livelo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/livelo-integration-registration.md b/docs/tracks/es/livelo-integration-registration.md index 461e973c0..bc62f20c3 100644 --- a/docs/tracks/es/livelo-integration-registration.md +++ b/docs/tracks/es/livelo-integration-registration.md @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugES: integracion-de-livelo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/magazine-luiza-marketplace.md b/docs/tracks/es/magazine-luiza-marketplace.md index 1245d0314..6ed593a4a 100644 --- a/docs/tracks/es/magazine-luiza-marketplace.md +++ b/docs/tracks/es/magazine-luiza-marketplace.md @@ -14,5 +14,5 @@ trackId: 5Yx5IrNa7Y48c6aSC8wu2Y trackSlugES: configurar-la-integracion-de-magazine-luiza --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/mapping-categories-variations-and-attributes-in-netshoes.md b/docs/tracks/es/mapping-categories-variations-and-attributes-in-netshoes.md index 823cd9959..2b14dd87e 100644 --- a/docs/tracks/es/mapping-categories-variations-and-attributes-in-netshoes.md +++ b/docs/tracks/es/mapping-categories-variations-and-attributes-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/mapping-centauro-categories-variations-and-attributes.md b/docs/tracks/es/mapping-centauro-categories-variations-and-attributes.md index 4d0f524f7..31e367d4e 100644 --- a/docs/tracks/es/mapping-centauro-categories-variations-and-attributes.md +++ b/docs/tracks/es/mapping-centauro-categories-variations-and-attributes.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugES: mapeo-de-categorias-variaciones-y-atributos-de-centauro --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/mapping-product-categories-and-attributes.md b/docs/tracks/es/mapping-product-categories-and-attributes.md index 52414a567..a5aba124b 100644 --- a/docs/tracks/es/mapping-product-categories-and-attributes.md +++ b/docs/tracks/es/mapping-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapeo de categorías y atributos de productos' id: 1Ue3UIHrelsvjYpkLL4IRx status: PUBLISHED createdAt: 2023-08-11T01:20:24.164Z -updatedAt: 2023-08-11T02:32:16.459Z -publishedAt: 2023-08-11T02:32:16.459Z +updatedAt: 2024-09-04T14:02:21.943Z +publishedAt: 2024-09-04T14:02:21.943Z firstPublishedAt: 2023-08-11T01:56:55.281Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 4ZSHEiuTkh8HR9ubJQj8BP trackSlugES: integracion-de-livelo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/mapping-rappi-product-categories-and-attributes.md b/docs/tracks/es/mapping-rappi-product-categories-and-attributes.md index e5dfd846f..a6537c13e 100644 --- a/docs/tracks/es/mapping-rappi-product-categories-and-attributes.md +++ b/docs/tracks/es/mapping-rappi-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapeo de categorías y atributos de productos Rappi' id: 6iVRkhA3WHvynIlwgQhjPc status: PUBLISHED createdAt: 2024-05-31T20:42:26.540Z -updatedAt: 2024-05-31T20:52:02.358Z -publishedAt: 2024-05-31T20:52:02.358Z +updatedAt: 2024-09-04T13:41:08.540Z +publishedAt: 2024-09-04T13:41:08.540Z firstPublishedAt: 2024-05-31T20:52:02.358Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugES: integracion-de-rappi --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/netshoes-marketplace.md b/docs/tracks/es/netshoes-marketplace.md index cb6e09954..80897bac6 100644 --- a/docs/tracks/es/netshoes-marketplace.md +++ b/docs/tracks/es/netshoes-marketplace.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/orders-products-and-freight-settings-in-netshoes.md b/docs/tracks/es/orders-products-and-freight-settings-in-netshoes.md index 2fe9aa60a..a59c3bb7d 100644 --- a/docs/tracks/es/orders-products-and-freight-settings-in-netshoes.md +++ b/docs/tracks/es/orders-products-and-freight-settings-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/overview-intelligent-search.md b/docs/tracks/es/overview-intelligent-search.md index 11a1cd6ce..ffdb83e7d 100644 --- a/docs/tracks/es/overview-intelligent-search.md +++ b/docs/tracks/es/overview-intelligent-search.md @@ -14,9 +14,7 @@ trackId: 19wrbB7nEQcmwzDPl1l4Cb trackSlugES: vtex-intelligent-search --- - +>ℹ️ Esta aplicación solo está disponible para tiendas desarrolladas con VTEX IO. Antes de continuar, debes instalar y configurar Intelligent Search en tu tienda. Intelligent Search es una plataforma de búsqueda inteligente para el comercio digital. Es una solución de búsqueda nativa de la plataforma VTEX que ayuda al cliente en toda la jornada de compra, independientemente del canal (sitio web, aplicación móvil, conversacional, etc.). diff --git a/docs/tracks/es/product-group-registration-in-netshoes.md b/docs/tracks/es/product-group-registration-in-netshoes.md index 5b71613b0..77e371a5a 100644 --- a/docs/tracks/es/product-group-registration-in-netshoes.md +++ b/docs/tracks/es/product-group-registration-in-netshoes.md @@ -14,5 +14,5 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/rappi-integration-overview.md b/docs/tracks/es/rappi-integration-overview.md index 88e14337f..28107be66 100644 --- a/docs/tracks/es/rappi-integration-overview.md +++ b/docs/tracks/es/rappi-integration-overview.md @@ -3,8 +3,8 @@ title: 'Visión general de la Rappi integración' id: 7y40IL3ajiukMRHrX3XmC8 status: PUBLISHED createdAt: 2024-05-31T20:24:26.112Z -updatedAt: 2024-05-31T20:51:33.604Z -publishedAt: 2024-05-31T20:51:33.604Z +updatedAt: 2024-09-04T13:32:59.831Z +publishedAt: 2024-09-04T13:32:59.831Z firstPublishedAt: 2024-05-31T20:51:33.604Z contentType: trackArticle productTeam: Channels @@ -14,7 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugES: integracion-rappi --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/rappi-integration-registration.md b/docs/tracks/es/rappi-integration-registration.md index 871b872e0..55d81fce9 100644 --- a/docs/tracks/es/rappi-integration-registration.md +++ b/docs/tracks/es/rappi-integration-registration.md @@ -3,8 +3,8 @@ title: 'Registro de integración de Rappi' id: 4Wu9gyd5xCRC0MOb5zG9BK status: PUBLISHED createdAt: 2024-05-31T20:39:08.338Z -updatedAt: 2024-05-31T20:51:55.857Z -publishedAt: 2024-05-31T20:51:55.857Z +updatedAt: 2024-09-04T13:39:52.026Z +publishedAt: 2024-09-04T13:39:52.026Z firstPublishedAt: 2024-05-31T20:51:55.857Z contentType: trackArticle productTeam: Channels @@ -14,5 +14,5 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugES: integracion-de-rappi --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/registering-the-carrefour-integration.md b/docs/tracks/es/registering-the-carrefour-integration.md index 38544e662..161ac584e 100644 --- a/docs/tracks/es/registering-the-carrefour-integration.md +++ b/docs/tracks/es/registering-the-carrefour-integration.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-con-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/registering-the-centauro-integration.md b/docs/tracks/es/registering-the-centauro-integration.md index 66ff2a0d9..4bba16dc1 100644 --- a/docs/tracks/es/registering-the-centauro-integration.md +++ b/docs/tracks/es/registering-the-centauro-integration.md @@ -14,5 +14,5 @@ trackId: D8Qnjbr5lfLkUfMRhsfbj trackSlugES: registro-de-la-integracion-de-centauro --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/registering-the-integration.md b/docs/tracks/es/registering-the-integration.md index 167c892bc..b5ea629fe 100644 --- a/docs/tracks/es/registering-the-integration.md +++ b/docs/tracks/es/registering-the-integration.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/registering-the-netshoes-integration.md b/docs/tracks/es/registering-the-netshoes-integration.md index 71595f904..f0d41a327 100644 --- a/docs/tracks/es/registering-the-netshoes-integration.md +++ b/docs/tracks/es/registering-the-netshoes-integration.md @@ -14,4 +14,4 @@ trackId: 5Ua87lhFg4m0kEcuyqmcCm trackSlugES: configurar-integracion-netshoes --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/sales-channel-mapping.md b/docs/tracks/es/sales-channel-mapping.md index 1774a8a90..038c5fa57 100644 --- a/docs/tracks/es/sales-channel-mapping.md +++ b/docs/tracks/es/sales-channel-mapping.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/sending-products-to-carrefour.md b/docs/tracks/es/sending-products-to-carrefour.md index fee5b0630..1b325571e 100644 --- a/docs/tracks/es/sending-products-to-carrefour.md +++ b/docs/tracks/es/sending-products-to-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-con-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/sending-products-to-via.md b/docs/tracks/es/sending-products-to-via.md index b6250cd67..ae2e27a0d 100644 --- a/docs/tracks/es/sending-products-to-via.md +++ b/docs/tracks/es/sending-products-to-via.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/setting-up-a-marketplace-trade-policy-carrefour.md b/docs/tracks/es/setting-up-a-marketplace-trade-policy-carrefour.md index 54b5b8e37..a7e274c69 100644 --- a/docs/tracks/es/setting-up-a-marketplace-trade-policy-carrefour.md +++ b/docs/tracks/es/setting-up-a-marketplace-trade-policy-carrefour.md @@ -14,4 +14,4 @@ trackId: 2wYlj07cNuA8k8mmwY86K2 trackSlugES: configurar-integracion-carrefour --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/setting-up-a-marketplace-trade-policy-skyhub-b2w.md b/docs/tracks/es/setting-up-a-marketplace-trade-policy-skyhub-b2w.md index 45c7c513a..45673b58b 100644 --- a/docs/tracks/es/setting-up-a-marketplace-trade-policy-skyhub-b2w.md +++ b/docs/tracks/es/setting-up-a-marketplace-trade-policy-skyhub-b2w.md @@ -14,5 +14,5 @@ trackId: 6w07SJBVqE020KIOOS8ygk trackSlugES: configurar-integracion-skyhub-b2w --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/setting-up-a-marketplace-trade-policy-viavarejo.md b/docs/tracks/es/setting-up-a-marketplace-trade-policy-viavarejo.md index e39df82dd..4162d5980 100644 --- a/docs/tracks/es/setting-up-a-marketplace-trade-policy-viavarejo.md +++ b/docs/tracks/es/setting-up-a-marketplace-trade-policy-viavarejo.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-integracion-viavarejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/settings-on-via-marketplace.md b/docs/tracks/es/settings-on-via-marketplace.md index b71a4b26f..72d8e5be4 100644 --- a/docs/tracks/es/settings-on-via-marketplace.md +++ b/docs/tracks/es/settings-on-via-marketplace.md @@ -14,5 +14,5 @@ trackId: 3E9XylGaJ2wqwISGyw4GuY trackSlugES: configurar-la-integracion-de-via-varejo --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tracks/es/specifications-mapping.md b/docs/tracks/es/specifications-mapping.md index 2e9d69be2..1fb8295fa 100644 --- a/docs/tracks/es/specifications-mapping.md +++ b/docs/tracks/es/specifications-mapping.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/teste-1.md b/docs/tracks/es/teste-1.md index 94b96561d..7fb0d4c95 100644 --- a/docs/tracks/es/teste-1.md +++ b/docs/tracks/es/teste-1.md @@ -19,7 +19,7 @@ Enfocados en el éxito de nuestros clientes, en VTEX brindamos soluciones comple Y para facilitar la adopción de nuevos recursos, la gestión autónoma de tu negocio y la mejora en la escalabilidad, hemos lanzado la nueva **Guía de onboarding**, un contenido que abarca íntegramente la jornada de operar una tienda VTEX. Accede desde la sección [Comienza aquí](https://help.vtex.com/es/tracks) del Help Center.
- Guia de onboarding + Guia de onboarding
## ¿Qué es la Guía de onboarding? @@ -39,19 +39,19 @@ Nuestra meta es asegurarnos de que tanto clientes como partners, así como todo A continuación, te presentamos una [introducción](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) a lo que encontrarás en la guía.
- Serie de la tienda VTEX + Serie de la tienda VTEX
La **Serie de la tienda VTEX** presenta el contexto inaugural de la operación, comenzando por la definición del [tipo de cuenta y arquitectura](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/4yPqZQyj0t675QpcG7H6yl) que mejor se adaptan a las necesidades de tu negocio. A partir de ese punto, puedes llevar a cabo la [configuración inicial](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/4EPwTXx5oFdSG1dA3zIchz) y la configuración de los [módulos](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/75MX4aorniD0BYAB8Nwbo7) de la plataforma, enfocándote en acelerar la inauguración de la tienda. Una vez finalizadas las [integraciones de backend](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/7euXDZR5CCnVFSrXyczIhu) y la implementación de la [tecnología de frontend](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/67SCtUreXxKYWhZh8n0zvZ) para la construcción del storefront, es el momento del [go live](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/6xYnNxDHUcY6FyChgziCoH) y de la inauguración de la nueva tienda.
- Proximos pasos tras el go live + Proximos pasos tras el go live
La serie **Próximos pasos tras el go live** presenta la manera en que se realiza el [comercio unificado](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/5Qvw31yH2FPDBl14K5xXHA) con los recursos de la plataforma, abordando [configuración de módulos](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/V1fs7IkfYMfn91ZVHTLu4) no mencionada anteriormente, ya que en este punto el enfoque está en la evolución de la operación. Esta serie también presenta los [productos add-on](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS/1t2QBZvrOBSLgvHaAV9fYm) de VTEX, una variedad de productos que pueden adquirirse por separado para posibilitar nuevas estrategias y la diversificación del negocio.
- VTEX Support + VTEX Support
**Soporte en VTEX** presenta el [soporte](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/7w7cUmbrdPEKpTMItjXEB8) que proporcionamos a los clientes, que no se limita a una parte específica de la jornada. El [funcionamiento del soporte](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/2Ik9CGbPeZIHHaYFsuyId3) se aborda también en otras series, ya que la [apertura de tickets](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/6EboD7Y1BOLlWdT8JM15EE) es la vía para determinadas contrataciones y solicitudes. Esta serie ha sido diseñada para que nuestros clientes tengan la mejor experiencia con nuestros servicios y dispongan de la información necesaria para abrir tickets, ya sea en el ámbito del soporte [técnico](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3thRAdTB3gGwTB0e1fVL3T), [financiero](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3g2mhmPDx5GszNgLDICzsl) o [comercial](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy/3KQWGgkPOwbFTPfBxL7YwZ). @@ -72,5 +72,5 @@ Esperamos que este material contribuya al éxito de tu negocio y a tu satisfacci | [Serie de la tienda VTEX](https://help.vtex.com/es/tracks/serie-de-la-tienda-vtex--eSDNk26pdvemF3XKM0nK9/3QfoDZWg9YWl8lwS9MVrnU) | [Próximos pasos tras el go live](https://help.vtex.com/es/tracks/proximos-pasos-tras-el-go-live--3J7WFZyvTcoiwkcIVFVhIS) | [Soporte en VTEX](https://help.vtex.com/es/tracks/soporte-en-vtex--4AXsGdGHqExp9ZkiNq9eMy) |
- Imagen ecommerce + Imagen ecommerce
diff --git a/docs/tracks/es/tiktok-for-business.md b/docs/tracks/es/tiktok-for-business.md index f61db51f1..d819fd2a3 100644 --- a/docs/tracks/es/tiktok-for-business.md +++ b/docs/tracks/es/tiktok-for-business.md @@ -3,8 +3,8 @@ title: 'TikTok for Business' id: 7Dwfwu1aHMp1aR1yvej5nv status: PUBLISHED createdAt: 2022-04-14T21:09:09.787Z -updatedAt: 2022-05-25T20:18:26.115Z -publishedAt: 2022-05-25T20:18:26.115Z +updatedAt: 2024-09-03T19:37:30.309Z +publishedAt: 2024-09-03T19:37:30.309Z firstPublishedAt: 2022-04-18T11:49:25.270Z contentType: trackArticle productTeam: Channels @@ -14,7 +14,7 @@ trackId: 1r0yJSO11nrer1YVu3WTFd trackSlugES: integracion-de-tiktok --- ->❗ La integración con TikTok solo está disponible para las tiendas de **Brasil**. +>❗ La integración con TikTok solo está disponible para las tiendas en **América Latina**. [TikTok](https://www.tiktok.com/) es una plataforma de entretenimiento para crear y compartir videos cortos que también ofrece herramientas de _marketing_ para las empresas. TikTok Ads Manager es una de las principales herramientas disponibles en este contexto, e incluye funciones avanzadas que permiten lanzar campañas y gestionar publicidad en TikTok. diff --git a/docs/tracks/es/update-and-import-product-feed.md b/docs/tracks/es/update-and-import-product-feed.md index 14c60cc90..691900848 100644 --- a/docs/tracks/es/update-and-import-product-feed.md +++ b/docs/tracks/es/update-and-import-product-feed.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/what-is-lengow.md b/docs/tracks/es/what-is-lengow.md index 7c63fc7d5..74edc70b0 100644 --- a/docs/tracks/es/what-is-lengow.md +++ b/docs/tracks/es/what-is-lengow.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugES: integracion-de-lengow --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tracks/es/whatsapp-integration.md b/docs/tracks/es/whatsapp-integration.md index bf4f31d1b..48c8807ff 100644 --- a/docs/tracks/es/whatsapp-integration.md +++ b/docs/tracks/es/whatsapp-integration.md @@ -45,7 +45,7 @@ Además de enviar esta información, el administrador debe autorizar los siguien También recomendamos [verificar tu tienda con Meta](https://www.facebook.com/business/help/1095661473946872?id=180505742745347). Esta etapa es opcional para la integración, pero es obligatoria si: * Deseas iniciar conversaciones, como avisar a los clientes del seguimiento de sus productos a través de WhatsApp. -* Deseas que tu cuenta comercial sea [oficial](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), es decir, que permita mostrar el nombre de tu tienda en vez del número de teléfono en la lista junto con el sello selo oficial whatsapp. +* Deseas que tu cuenta comercial sea [oficial](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), es decir, que permita mostrar el nombre de tu tienda en vez del número de teléfono en la lista junto con el sello selo oficial whatsapp. ## Creación por parte del cliente en el Admin VTEX diff --git a/docs/tracks/pt/autocomplete-search.md b/docs/tracks/pt/autocomplete-search.md index a23abc5f8..15ac96e99 100644 --- a/docs/tracks/pt/autocomplete-search.md +++ b/docs/tracks/pt/autocomplete-search.md @@ -23,10 +23,7 @@ O Autocomplete funciona com base nas informações obtidas por meio do históric - Sugestão de produtos. - Termos mais buscados. - +>⚠️ Ao pesquisar um termo não cadastrado, o Autocomplete não encontrará produtos com as especificações desejadas e não exibirá nenhuma sugestão. Durante a interação com a barra de busca, o VTEX Intelligent Search exibe imediatamente o conjunto de _Termos mais buscados_ e _Últimas pesquisas_, caso o cliente já tenha feito alguma. @@ -45,22 +42,22 @@ Outra vantagem para o gestor da loja é o aumento de conversão, resultado dessa Essa seção exibe os termos mais buscados por outros clientes dentro do site. -![PT - Autocomplete termos mais pesquisados](https://images.ctfassets.net/alneenqid6w5/6gBULnYzroBY96Ler918qJ/de1f57f6942d1c1ec554246917f524a0/PT_-_Autocomplete_termos_mais_pesquisados.png) +![PT - Autocomplete termos mais pesquisados](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-busca-0.png) ## Últimas buscas efetuadas Essa seção exibe as últimas buscas efetuadas pelo cliente. Assim, é possível iniciar a interação com a busca instantaneamente. -![PT - Autocomplete historico](https://images.ctfassets.net/alneenqid6w5/1GXQ879Y9rEMXFKjVquys1/4f68e9d2277b02d56cb155ecf29fcfc6/PT_-_Autocomplete_historico.png) +![PT - Autocomplete historico](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-busca-1.png) ## Sugestão de buscas Essa seção apresenta os termos pesquisados por outros usuários que se relacionam com a busca efetuada naquele momento. Além de termos, também são sugeridas categorias que estejam relacionadas com a busca. -![PT - Autocomplete sugestao termos](https://images.ctfassets.net/alneenqid6w5/2rOg8Q94A0F8VEbueLkXDS/34faeaa87bbf7989072e3dddec7f9b04/PT_-_Autocomplete_sugestao_termos.png) +![PT - Autocomplete sugestao termos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-busca-2.png) ## Sugestão de produtos Essa seção apresenta os produtos que correspondem a busca efetuada naquele momento. Dessa forma, ao mostrar produtos relacionados a sua busca durante a sua digitação, diminui as desistências e dá a possibilidade do usuário efetuar uma compra mais dinâmica. -![PT - Autocomplete sugestao de produtos](https://images.ctfassets.net/alneenqid6w5/1wXXgJr59cCCjz00DHA3nU/49288947b9326f3309ed7bea482a2331/PT_-_Autocomplete_sugestao_de_produtos.png) +![PT - Autocomplete sugestao de produtos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-busca-3.png) diff --git a/docs/tracks/pt/configuring-rappi-price-divergence-rule.md b/docs/tracks/pt/configuring-rappi-price-divergence-rule.md index 92d9f8dbe..153c7ffe9 100644 --- a/docs/tracks/pt/configuring-rappi-price-divergence-rule.md +++ b/docs/tracks/pt/configuring-rappi-price-divergence-rule.md @@ -3,8 +3,8 @@ title: 'Configurar regra de Divergência de valores rappi' id: VoIvBSldeT2A4MuRVMMi1 status: PUBLISHED createdAt: 2024-05-31T20:36:17.323Z -updatedAt: 2024-05-31T20:51:50.382Z -publishedAt: 2024-05-31T20:51:50.382Z +updatedAt: 2024-09-04T13:50:40.248Z +publishedAt: 2024-09-04T13:50:40.248Z firstPublishedAt: 2024-05-31T20:51:50.382Z contentType: trackArticle productTeam: Channels @@ -16,12 +16,17 @@ trackSlugPT: integracao-rappi Na integração com marketplaces como a Rappi, por vezes há uma variação entre o preço definido pelo seller e aquele oferecido pelo marketplace, resultando em pedidos fechados com valores diferentes do esperado. Isso pode ocasionar pedidos com erro de divergência de preço. -No Admin VTEX, em **Configurações da loja > Pedidos > Autorização de pedidos**, ou digite **Autorização de pedidos** na barra de busca. A [regra de Divergência de valores](https://help.vtex.com/pt/tutorial/regra-de-divergencia-de-valores--6RlFLhD1rIRRshl83KnCjW) permite o controle de pedidos com divergência de preço. Somente usuários com [perfil de acesso](https://help.vtex.com/pt/tutorial/perfis-de-acesso--7HKK5Uau2H6wxE1rH5oRbc) Admin Super (*Owner*) ou OMS Full podem configurar essa funcionalidade, conforme o passo a passo descrito em [Configuração da regra de Divergência de valores](https://help.vtex.com/pt/tutorial/configuracao-da-regra-de-divergencia-de-valores--awAKP0sS5J8jgLs2g7pPe). +No Admin VTEX, em **Configurações da loja > Pedidos > Autorização de pedidos**, ou digite **Autorização de pedidos** na barra de busca. +A [regra de Divergência de valores](https://help.vtex.com/pt/tutorial/regra-de-divergencia-de-valores--6RlFLhD1rIRRshl83KnCjW) permite o controle de pedidos com divergência de preço. + +Somente usuários com [perfil de acesso](https://help.vtex.com/pt/tutorial/perfis-de-acesso--7HKK5Uau2H6wxE1rH5oRbc) Admin Super (*Owner*) ou OMS Full podem configurar essa funcionalidade, conforme o passo a passo descrito em [Configuração da regra de Divergência de valores](https://help.vtex.com/pt/tutorial/configuracao-da-regra-de-divergencia-de-valores--awAKP0sS5J8jgLs2g7pPe). A regra de Divergência de valores é composta de uma ou mais regras de autorização, sendo que cada uma delas corresponde a um intervalo percentual do preço do pedido. As regras de autorização podem ser configuradas para negar automaticamente, aprovar automaticamente, ou exigir autorização manual do pedido. >⚠️ Para que a regra de Divergência de valores seja válida, após a configuração é -> necessário enviar o campo `isCreatedAsync` na API [Place fulfillment order](https://developers.vtex.com/docs/api-reference/marketplace-protocol-external-marketplace-orders#post-/api/fulfillment/pvt/orders), independente do tipo de conector utilizado, seja ele, marketplace externo, [conector certificado (parceiro)](https://help.vtex.com/pt/tutorial/estrategias-de-marketplace-na-vtex--tutorials_402#integrado-a-conector-certificado-parceiro) ou outros [conectores nativos](https://help.vtex.com/pt/tutorial/estrategias-de-marketplace-na-vtex--tutorials_402#integrado-a-conector-nativo-vtex) além da Rappi. +> necessário enviar o campo `isCreatedAsync` na API [Place fulfillment order](https://developers.vtex.com/docs/api-reference/marketplace-protocol-external-marketplace-orders#post-/api/fulfillment/pvt/orders), independente do tipo de conector utilizado, seja ele, marketplace externo, [conector certificado](https://help.vtex.com/pt/tutorial/estrategias-de-marketplace-na-vtex--tutorials_402#integrado-a-conector-certificado-parceiro) ou outros [conectores nativos](https://help.vtex.com/pt/tutorial/estrategias-de-marketplace-na-vtex--tutorials_402#integrado-a-conector-nativo-vtex) além da Rappi. + +É recomendável que a configuração da regra de **Divergência de valores** seja feita antes de você seguir para a próxima etapa da configuração da integração com a Rappi. Descumprir esta recomendação não impede que a integração seja concluída, mas pedidos com divergência de preço ficarão retidos até a criação da regra de **Divergência de valores** e o envio do campo `isCreatedAsync` na API [Place fulfillment order](https://developers.vtex.com/docs/api-reference/marketplace-protocol-external-marketplace-orders#post-/api/fulfillment/pvt/orders). -É recomendável que a configuração da regra de Divergência de valores seja feita antes de você seguir para a próxima etapa da configuração da integração com a Rappi. Descumprir esta recomendação não impede que a integração seja concluída, mas pedidos com divergência de preço ficarão retidos até a criação da regra de Divergência de valores e o envio do campo `isCreatedAsync` na API [Place fulfillment order](https://developers.vtex.com/docs/api-reference/marketplace-protocol-external-marketplace-orders#post-/api/fulfillment/pvt/orders). Será possível acompanhá-los no Admin VTEX, em **Marketplace > Conexões > Pedidos,** ou digite **Pedidos** na barra de busca. +Será possível acompanhá-los no Admin VTEX, em **Marketplace > Conexões > Pedidos,** ou digite **Pedidos** na barra de busca. diff --git a/docs/tracks/pt/configuring-synonyms.md b/docs/tracks/pt/configuring-synonyms.md index 921e54d28..e86ad6a5c 100644 --- a/docs/tracks/pt/configuring-synonyms.md +++ b/docs/tracks/pt/configuring-synonyms.md @@ -20,9 +20,7 @@ Existem duas formas de configurar sinônimos no Admin VTEX: [individualmente](#c A configuração de sinônimos funciona de maneira recursiva. Isso significa que, ao adicionar um segundo sinônimo a outro já existente, ele também se tornará sinônimo do primeiro. - +>ℹ️ Sinônimos não devem ser utilizados para resolver erros de grafia, de plural e singular ou mesmo de pronomes, de artigos e de proposições nos termos pesquisados. Em todos estes pontos, o VTEX Intelligent Search é capaz de interpretar, aprender e resolver automaticamente por meio de algoritmos. ## Criar sinônimos individualmente diff --git a/docs/tracks/pt/configuring-the-integration-rappi.md b/docs/tracks/pt/configuring-the-integration-rappi.md index 065145bc6..e30fd4087 100644 --- a/docs/tracks/pt/configuring-the-integration-rappi.md +++ b/docs/tracks/pt/configuring-the-integration-rappi.md @@ -3,8 +3,8 @@ title: 'Configurando a integração' id: 1SowuK4iQngOHebFMfizYY status: PUBLISHED createdAt: 2024-05-31T20:32:15.901Z -updatedAt: 2024-05-31T20:51:41.392Z -publishedAt: 2024-05-31T20:51:41.392Z +updatedAt: 2024-09-04T13:35:11.425Z +publishedAt: 2024-09-04T13:35:11.425Z firstPublishedAt: 2024-05-31T20:51:41.392Z contentType: trackArticle productTeam: Channels @@ -14,18 +14,18 @@ trackId: 2AeYfJRnQ0I91dvSzRcpKh trackSlugPT: integracao-rappi --- -## Credenciais Livelo Rappi +## Credenciais Rappi O primeiro passo para integrar sua loja VTEX à Rappi é ter as credenciais Client Id e Secret, ambas são utilizadas para validar sua integração com o Marketplace. Para obter as suas credenciais, entre em contato através do suporte VTEX. ## Configurações na plataforma VTEX -Durante o processo de configuração na plataforma VTEX, tenha sempre em mãos as credenciais fornecidas pela Livelo. O [*AppKey* e *AppToken*](https://developers.vtex.com/docs/guides/authentication), são imprescindíveis para a integração. +Durante o processo de configuração na plataforma VTEX, tenha sempre em mãos as credenciais fornecidas pela Rappi. O [*AppKey* e *AppToken*](https://developers.vtex.com/docs/guides/authentication), são imprescindíveis para a integração. -### Definição da política comercial na Livelo +### Definição da política comercial na Rappi -Na VTEX, uma [política comercial](https://help.vtex.com/pt/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) é o que determina o sortimento de produtos, preços e estratégia de envio em um canal de venda. Ou seja, é por meio da política comercial que você define as configurações que serão aplicadas aos seus produtos na Livelo. +Na VTEX, uma [política comercial](https://help.vtex.com/pt/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) é o que determina o sortimento de produtos, preços e estratégia de envio em um canal de venda. Ou seja, é por meio da política comercial que você define as configurações que serão aplicadas aos seus produtos na Rappi. -Se as mesmas configurações de catálogo, preço e estratégia de envio da sua loja VTEX forem utilizadas no Livelo, não é preciso [criar uma política comercial](https://help.vtex.com/pt/tutorial/o-que-e-uma-politica-comercial--563tbcL0TYKEKeOY4IAgAE) nova, porque uma mesma política comercial pode ser usada para diferentes canais de venda. +Se as mesmas configurações de catálogo, preço e estratégia de envio da sua loja VTEX forem utilizadas na Rappi, não é preciso [criar uma política comercial](https://help.vtex.com/pt/tutorial/o-que-e-uma-politica-comercial--563tbcL0TYKEKeOY4IAgAE) nova, porque uma mesma política comercial pode ser usada para diferentes canais de venda. Só será necessário [configurar uma política comercial para Marketplace](https://help.vtex.com/pt/tutorial/configurando-a-politica-comercial-para-marketplace--tutorials_404) específica, se você tiver algum dos seguintes objetivos: diff --git a/docs/tracks/pt/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md b/docs/tracks/pt/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md index 7e0d9ea01..714e2f2d7 100644 --- a/docs/tracks/pt/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md +++ b/docs/tracks/pt/configuring-the-integration-with-tiktok-for-business-in-vtex-admin.md @@ -3,8 +3,8 @@ title: 'Configurar a integração com o TikTok for Business no Admin VTEX' id: 4AEUg7pEdX1beOaQhFf0wC status: PUBLISHED createdAt: 2022-04-14T21:22:01.564Z -updatedAt: 2022-04-26T13:08:43.741Z -publishedAt: 2022-04-26T13:08:43.741Z +updatedAt: 2024-09-03T19:34:18.900Z +publishedAt: 2024-09-03T19:34:18.900Z firstPublishedAt: 2022-04-18T11:52:11.581Z contentType: trackArticle productTeam: Channels @@ -51,7 +51,7 @@ Nesta seção, é necessário inserir informações sobre a sua loja, que serão * **Nome da Loja:** nome da loja conforme será exibido no TikTok. * **Site da Loja:** URL do website da sua loja que aparecerá no TikTok. Não pode ser alterado posteriormente. * **Segmento:** campo para selecionar o segmento em que a loja atua, entre as opções disponibilizadas pelo TikTok. -* **País:** país de operação da loja. No momento, a integração só aceita o Brasil. +* **País:** país de operação da loja. No momento, a integração só aceita países da América Latina. * **Fuso Horário:** zona de fuso horário em que a loja está localizada. ### Informações de Contato @@ -82,7 +82,7 @@ Depois de preencher o formulário de configuração da integração, você preci Na página **Set up TikTok For Business** (Configurar o TikTok For Business), ilustrada abaixo, é necessário cumprir as instruções de configuração descritas a seguir. -![set-up-tiktok-for-business](https://images.ctfassets.net/alneenqid6w5/77d9v0437SxRBVXD0OUmW/290a1ece93c0fcb0fe91a1da61352513/image2.png) +![set-up-tiktok-for-business](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-a-integracao-com-o-tiktok-for-business-no-admin-vtex-0.png) 1. Clique na seção **TikTok For Business Account** e verifique se a sua conta está listada. * Caso queira conectar outra conta, clique em `Disconnect` e repita a etapa de login descrita em [Conectar a conta do TikTok](#conectar-a-conta-do-tiktok). @@ -103,7 +103,7 @@ Na página **Set up TikTok For Business** (Configurar o TikTok For Business), il Ao concluir essa configuração, você será conduzido novamente para **Marketplace > TikTok** no Admin VTEX, onde poderá [gerenciar a integração](https://help.vtex.com/pt/tracks/integracao-com-o-tiktok--1r0yJSO11nrer1YVu3WTFd/24SfBYkRkKMaetgjLDKgaP). Para algumas versões do Admin VTEX, a página se encontra em **Aplicativos > Meus Aplicativos > TikTok**. Após a configuração ter sido concluída com sucesso, qualquer usuário logado no Admin VTEX poderá acessar essa área de gerenciamento do TikTok. -![tiktok-config-3](https://downloads.ctfassets.net/alneenqid6w5/4gryDGvlRXWO50awLjcpBx/6f225b366777870d8eed7dd33f90614a/tiktok-config-3.gif) +![tiktok-config-3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-a-integracao-com-o-tiktok-for-business-no-admin-vtex-1.gif) ### Envio de dados dos produtos para o TikTok diff --git a/docs/tracks/pt/create-product-feed.md b/docs/tracks/pt/create-product-feed.md index 1fae25808..895122d12 100644 --- a/docs/tracks/pt/create-product-feed.md +++ b/docs/tracks/pt/create-product-feed.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/import-orders-from-lengow.md b/docs/tracks/pt/import-orders-from-lengow.md index e3bfa4bc5..b7a3b1a5a 100644 --- a/docs/tracks/pt/import-orders-from-lengow.md +++ b/docs/tracks/pt/import-orders-from-lengow.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/indexing-history.md b/docs/tracks/pt/indexing-history.md index b03ff60a6..0bc53234e 100644 --- a/docs/tracks/pt/indexing-history.md +++ b/docs/tracks/pt/indexing-history.md @@ -30,7 +30,7 @@ A seção **Status da indexação** exibe as seguintes informações: Você pode filtrar a lista de produtos indexados para uma visualização customizada. Importante destacar que o tempo médio de indexação e a divisão dos status serão recalculados a partir dos produtos filtrados. -Para filtrar a lista de produtos indexados clique em `Filtro` filtros. Selecione `Status` ou `Tempo de indexação` para definir o critério de filtragem. +Para filtrar a lista de produtos indexados clique em `Filtro` filtros. Selecione `Status` ou `Tempo de indexação` para definir o critério de filtragem. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/62e70bc865853961ce4d57456e7d3830/Screenshot_2022-09-01_at_13-08-05_EDU-7374_-_Documenta____o_nova_tela_de_indexa____o.png) diff --git a/docs/tracks/pt/installation-and-setup.md b/docs/tracks/pt/installation-and-setup.md index 107005486..0c074b3ed 100644 --- a/docs/tracks/pt/installation-and-setup.md +++ b/docs/tracks/pt/installation-and-setup.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/live-support.md b/docs/tracks/pt/live-support.md index e6ac28813..e2343fea5 100644 --- a/docs/tracks/pt/live-support.md +++ b/docs/tracks/pt/live-support.md @@ -39,8 +39,8 @@ Se optar por não utilizar, é necessário definir uma mensagem de indisponibili >ℹ️ Em caso de feriados fixos, regionais ou outras datas em que não possua atendimento, informe a data e o horário em que o atendimento não estará disponível. Caso os períodos se repitam anualmente, é possível selecionar “recorrência anual”, pré-definindo a configuração para os próximos períodos.
    -
  1. Se houver alguma exceção de atendimento, informe os períodos de indisponibilidade.
    Exceções ou feriados
  2. -
  3. Defina uma mensagem de indisponibilidade. Esta mensagem será enviada nos momentos em que clientes entrarem em contato via Whatsapp em períodos fora das janelas de atendimento configuradas.
    Mensagem de indisponibilidade
  4. +
  5. Se houver alguma exceção de atendimento, informe os períodos de indisponibilidade.
    Exceções ou feriados
  6. +
  7. Defina uma mensagem de indisponibilidade. Esta mensagem será enviada nos momentos em que clientes entrarem em contato via Whatsapp em períodos fora das janelas de atendimento configuradas.
    Mensagem de indisponibilidade
  8. Clique em Salvar.
diff --git a/docs/tracks/pt/mapping-product-categories-and-attributes.md b/docs/tracks/pt/mapping-product-categories-and-attributes.md index d7479394d..65937374d 100644 --- a/docs/tracks/pt/mapping-product-categories-and-attributes.md +++ b/docs/tracks/pt/mapping-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapeamento de categorias e atributos de produtos' id: 1Ue3UIHrelsvjYpkLL4IRx status: PUBLISHED createdAt: 2023-08-11T01:20:24.164Z -updatedAt: 2023-08-11T02:32:16.459Z -publishedAt: 2023-08-11T02:32:16.459Z +updatedAt: 2024-09-04T14:02:21.943Z +publishedAt: 2024-09-04T14:02:21.943Z firstPublishedAt: 2023-08-11T01:56:55.281Z contentType: trackArticle productTeam: Channels @@ -18,13 +18,15 @@ Após fazer as configurações de conta na Livelo na VTEX e integrar o conector Esta funcionalidade fará a correspondência entre as categorias, variações e atributos da sua loja e os padrões adotados pela Livelo, agilizando o processo de catalogação dos seus produtos no Marketplace, permitindo que estes fiquem disponíveis para venda em menos tempo. +>ℹ️ Os campos de **Mapeamento de Atributos** com asterisco **(*)** são obrigatórios. + Para realizar o mapeamento de categorias, siga as instruções abaixo. -1. No Admin VTEX, acesse ***Hub de Extensões* > Livelo > Mapeamento de categorias** ou digite **Mapeamento de categorias na barra de busca.** +1. No Admin VTEX, acesse ***Hub de Extensões* > Livelo > Mapeamento de categorias** ou digite **Mapeamento de categorias** na barra de busca. 2. Clique na categoria que deseja mapear, isso abrirá uma barra lateral para realizar a correspondência no marketplace. 3. Na barra lateral, clique em **Categoria do marketplace.** 4. Clique no ícone e, em seguida, selecione a categoria correspondente no marketplace. 5. Clique em **Mapeamento de Atributos** e faça as correspondências dos campos que aparecerão na tela. -6. Clique no botão `Salvar Alterações` +>⚠️ O campo **Marca** deve ser enviado sem preenchimento, o mesmo é preenchido automaticamente pela integração. +6. Clique no botão `Salvar Alterações`. ->ℹ️ Os campos de **Mapeamento de Atributos** com asterisco **(*)** são obrigatórios. diff --git a/docs/tracks/pt/mapping-rappi-product-categories-and-attributes.md b/docs/tracks/pt/mapping-rappi-product-categories-and-attributes.md index cc9c23db9..df85d89b0 100644 --- a/docs/tracks/pt/mapping-rappi-product-categories-and-attributes.md +++ b/docs/tracks/pt/mapping-rappi-product-categories-and-attributes.md @@ -3,8 +3,8 @@ title: 'Mapeamento de categorias e atributos de produtos Rappi' id: 6iVRkhA3WHvynIlwgQhjPc status: PUBLISHED createdAt: 2024-05-31T20:42:26.540Z -updatedAt: 2024-05-31T20:52:02.358Z -publishedAt: 2024-05-31T20:52:02.358Z +updatedAt: 2024-09-04T13:41:08.540Z +publishedAt: 2024-09-04T13:41:08.540Z firstPublishedAt: 2024-05-31T20:52:02.358Z contentType: trackArticle productTeam: Channels @@ -20,11 +20,11 @@ Esta funcionalidade fará a correspondência entre as categorias, variações e Para realizar o mapeamento de categorias, siga as instruções abaixo. -1. No Admin VTEX, acesse ***Hub de Extensões* > Rappi > Mapeamento de categorias** ou digite **Mapeamento de categorias na barra de busca.** +1. No Admin VTEX, acesse ***Hub de Extensões* > Rappi > Mapeamento de categorias** ou digite **Mapeamento de categorias** na barra de busca. 2. Clique na categoria que deseja mapear, isso abrirá uma barra lateral para realizar a correspondência no marketplace. 3. Na barra lateral, clique em **Categoria do marketplace.** 4. Clique no ícone e, em seguida, selecione a categoria correspondente no marketplace. 5. Clique em **Mapeamento de Atributos** e faça as correspondências dos campos que aparecerão na tela. -6. Clique no botão `Salvar Alterações` +6. Clique no botão `Salvar Alterações`. >ℹ️ Os campos de **Mapeamento de Atributos** com asterisco **(*)** são obrigatórios. diff --git a/docs/tracks/pt/overview-intelligent-search.md b/docs/tracks/pt/overview-intelligent-search.md index 3c6368a7f..df3a8f552 100644 --- a/docs/tracks/pt/overview-intelligent-search.md +++ b/docs/tracks/pt/overview-intelligent-search.md @@ -14,9 +14,7 @@ trackId: 19wrbB7nEQcmwzDPl1l4Cb trackSlugPT: vtex-intelligent-search --- - +>ℹ️ Este app só está disponível para lojas desenvolvidas usando VTEX IO. Antes de prosseguir, é preciso instalar e configurar o Intelligent Search na sua loja. O Intelligent Search é uma plataforma de busca inteligente para o comércio digital. Ele é uma solução de busca nativa da plataforma VTEX, auxiliando o cliente em toda sua jornada de compra, independente do canal (website, mobile app, conversational, etc). diff --git a/docs/tracks/pt/rappi-integration-overview.md b/docs/tracks/pt/rappi-integration-overview.md index e315848ac..79bdb2545 100644 --- a/docs/tracks/pt/rappi-integration-overview.md +++ b/docs/tracks/pt/rappi-integration-overview.md @@ -3,8 +3,8 @@ title: 'Visão geral da integração com a Rappi' id: 7y40IL3ajiukMRHrX3XmC8 status: PUBLISHED createdAt: 2024-05-31T20:24:26.112Z -updatedAt: 2024-05-31T20:51:33.604Z -publishedAt: 2024-05-31T20:51:33.604Z +updatedAt: 2024-09-04T13:32:59.831Z +publishedAt: 2024-09-04T13:32:59.831Z firstPublishedAt: 2024-05-31T20:51:33.604Z contentType: trackArticle productTeam: Channels @@ -16,7 +16,7 @@ trackSlugPT: integracao-rappi A Rappi é uma plataforma que funciona como marketplace conectando compradores a produtos dos mais diversos segmentos. Acompanhando a experiência do cliente da compra à entrega. -![Logo Rappi](https://images.ctfassets.net/alneenqid6w5/INsIz4tJzR7MR8JsKPKjt/4264529e186ed1aa18d6e75352719dfe/logo-rappi.jpg) +![Logo Rappi](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/visao-geral-da-integracao-com-a-rappi-0.jpg) A configuração com a Rappi tem o objetivo conectar sua loja VTEX com a plataforma, permitindo que você anuncie seus produtos, aumente suas vendas e alcance novos clientes a partir deste canal. @@ -26,6 +26,6 @@ A configuração com a Rappi tem o objetivo conectar sua loja VTEX com a platafo Para realizar a configuração entre VTEX e Rappi, é necessário concluir algumas etapas: -[Credenciais Rappi](#credenciais-rappi) -[Configurações na plataforma VTEX](#configuracoes-na-plataforma) -[Cadastro da integração da Rappi](#cadastro-da-integracao-da-rappi) +- [Credenciais Rappi](#credenciais-rappi) +- [Configurações na plataforma VTEX](#configuracoes-na-plataforma) +- [Cadastro da integração da Rappi](#cadastro-da-integracao-da-rappi) diff --git a/docs/tracks/pt/rappi-integration-registration.md b/docs/tracks/pt/rappi-integration-registration.md index d8a857ecf..80b0d9cd6 100644 --- a/docs/tracks/pt/rappi-integration-registration.md +++ b/docs/tracks/pt/rappi-integration-registration.md @@ -3,8 +3,8 @@ title: 'Cadastro da integração Rappi' id: 4Wu9gyd5xCRC0MOb5zG9BK status: PUBLISHED createdAt: 2024-05-31T20:39:08.338Z -updatedAt: 2024-05-31T20:51:55.857Z -publishedAt: 2024-05-31T20:51:55.857Z +updatedAt: 2024-09-04T13:39:52.026Z +publishedAt: 2024-09-04T13:39:52.026Z firstPublishedAt: 2024-05-31T20:51:55.857Z contentType: trackArticle productTeam: Channels @@ -16,7 +16,7 @@ trackSlugPT: integracao-rappi Terminadas as etapas de configuração da sua conta na Rappi e da sua conta na VTEX, a configuração do conector é feita no Admin VTEX. Para configurar, siga as instruções abaixo: -1. No Admin VTEX vá em *Marketplace* > Conexões > **Marketplaces e** **Integrações** ou digite **Marketplaces e Integrações** na barra de busca. +1. No Admin VTEX vá em **Marketplace > Conexões > Marketplaces e Integrações** ou digite **Marketplaces e Integrações** na barra de busca. 2. Digite **Rappi** na barra de busca da página, clique no card da integração. 3. Clique no botão **`Conectar`**. @@ -26,8 +26,8 @@ Terminadas as etapas de configuração da sua conta na Rappi e da sua conta na |---|---|---| | **Status da integração** | Botão que define se a integração estará ligada ou desligada. | ou | | **ID do Afiliado** | Código identificador para criação de um [afiliado](https://help.vtex.com/pt/tutorial/o-que-e-afiliado) que ainda não esteja cadastrado no seu sistema. O código deve ser composto de três consoantes, sejam elas repetidas ou não. Vogais não são aceitas. A configuração do conector cria automaticamente o afiliado. | RPP | -| **Email** | Email do representante comercial da Livelo para o afiliado que está sendo criado. | email@integracao.com | -| **Canal de vendas** | Identificador da [política comercial](https://help.vtex.com/pt/tutorial/configuring-a-marketplace-trade-policy--tutorials_404) que definirá o sortimento de catálogo e os valores dos itens que serão enviados para a Livelo. | 1 | +| **Email** | Email do representante comercial da Rappi para o afiliado que está sendo criado. | email@integracao.com | +| **Canal de vendas** | Identificador da [política comercial](https://help.vtex.com/pt/tutorial/configuring-a-marketplace-trade-policy--tutorials_404) que definirá o sortimento de catálogo e os valores dos itens que serão enviados para a Rappi. | 1 | | **Client Id** | Identificador fornecido pela Rappi. | rppteste | -| **Secret** | Chave alfanumérica fornecida pela Livelo. | xx61x016-xx41-423x-xx42-xx781x6x14xx5 | +| **Secret** | Chave alfanumérica fornecida pela Rappi. | xx61x016-xx41-423x-xx42-xx781x6x14xx5 | diff --git a/docs/tracks/pt/sales-channel-mapping.md b/docs/tracks/pt/sales-channel-mapping.md index c3c38ca2f..bdec7113c 100644 --- a/docs/tracks/pt/sales-channel-mapping.md +++ b/docs/tracks/pt/sales-channel-mapping.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/sending-products-to-via.md b/docs/tracks/pt/sending-products-to-via.md index 3f0c8a38f..45ee748dc 100644 --- a/docs/tracks/pt/sending-products-to-via.md +++ b/docs/tracks/pt/sending-products-to-via.md @@ -61,7 +61,7 @@ Para cada produto, siga os passos a seguir: 8. Repita os passos acima. 9. Salve a planilha em seu computador. - +>⚠️ Variações obrigatórias para uma categoria precisam ser mapeadas, caso contrário seus produtos não serão integrados. Caso o campo de especificação correspondente não exista na sua loja, ele precisará ser criado e preenchido para todos os SKUs da categoria. ### Exemplo de preenchimento diff --git a/docs/tracks/pt/specifications-mapping.md b/docs/tracks/pt/specifications-mapping.md index 0d7502117..b512131ca 100644 --- a/docs/tracks/pt/specifications-mapping.md +++ b/docs/tracks/pt/specifications-mapping.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/tiktok-for-business.md b/docs/tracks/pt/tiktok-for-business.md index 6ea1983ba..f38539aee 100644 --- a/docs/tracks/pt/tiktok-for-business.md +++ b/docs/tracks/pt/tiktok-for-business.md @@ -3,8 +3,8 @@ title: 'TikTok for Business' id: 7Dwfwu1aHMp1aR1yvej5nv status: PUBLISHED createdAt: 2022-04-14T21:09:09.787Z -updatedAt: 2022-05-25T20:18:26.115Z -publishedAt: 2022-05-25T20:18:26.115Z +updatedAt: 2024-09-03T19:37:30.309Z +publishedAt: 2024-09-03T19:37:30.309Z firstPublishedAt: 2022-04-18T11:49:25.270Z contentType: trackArticle productTeam: Channels @@ -14,7 +14,7 @@ trackId: 1r0yJSO11nrer1YVu3WTFd trackSlugPT: integracao-com-o-tiktok --- ->❗ A integração com o TikTok está disponível apenas para lojas no **Brasil**. +>❗ A integração com o TikTok está disponível apenas para lojas da **América Latina**. O [TikTok](https://www.tiktok.com/pt-BR/) é uma plataforma de entretenimento para criar e compartilhar vídeos curtos que oferece ferramentas de marketing para empresas. Uma das principais ferramentas disponíveis nesse contexto é o TikTok Ads Manager, que contém recursos avançados para lançar campanhas e gerenciar publicidade no TikTok. diff --git a/docs/tracks/pt/update-and-import-product-feed.md b/docs/tracks/pt/update-and-import-product-feed.md index 924775896..26426431b 100644 --- a/docs/tracks/pt/update-and-import-product-feed.md +++ b/docs/tracks/pt/update-and-import-product-feed.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/what-is-lengow.md b/docs/tracks/pt/what-is-lengow.md index 4898f469d..e8850c132 100644 --- a/docs/tracks/pt/what-is-lengow.md +++ b/docs/tracks/pt/what-is-lengow.md @@ -14,4 +14,4 @@ trackId: 2KDrouPiE4HDKUFFSG3KdN trackSlugPT: integracao-com-a-lengow --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tracks/pt/whatsapp-integration.md b/docs/tracks/pt/whatsapp-integration.md index 6798d01de..3163c9c62 100644 --- a/docs/tracks/pt/whatsapp-integration.md +++ b/docs/tracks/pt/whatsapp-integration.md @@ -45,7 +45,7 @@ Além de enviar essas informações, o administrador deve autorizar via [Gerenci Recomendamos também [verificar a sua loja junto à Meta](https://www.facebook.com/business/help/1095661473946872?id=180505742745347). Essa etapa é opcional para a integração, mas é obrigatória caso: * Você deseje iniciar conversas, como aviso de rastreio de produtos, para seus clientes pelo WhatsApp. -* Você deseje que sua conta comercial seja [oficial](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), que permite exibir o nome da loja em vez do número de telefone na lista e com o selo selo oficial whatsapp. +* Você deseje que sua conta comercial seja [oficial](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=BR&destination=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation%23official-business-account&event_type=click&last_nav_impression_id=0txQ0CoZfJfxi7cez&max_percent_page_viewed=44&max_viewport_height_px=869&max_viewport_width_px=1794&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Foverview%2Fbusiness-accounts%2F%3Ftranslation&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Ftranslation%26path1%3Dwhatsapp%26path2%3Doverview%26path3%3Dbusiness-accounts®ion=latam&scrolled=true&session_id=2nAsnwfEzmFrzLZoM&site=developers), que permite exibir o nome da loja em vez do número de telefone na lista e com o selo selo oficial whatsapp. ## Criação pelo cliente via Admin VTEX diff --git a/docs/tutorials/en/account-summary.md b/docs/tutorials/en/account-summary.md index d7d4d1f9e..80ffc8b33 100644 --- a/docs/tutorials/en/account-summary.md +++ b/docs/tutorials/en/account-summary.md @@ -15,4 +15,4 @@ legacySlug: account-summary subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/accounts-payable-brazil.md b/docs/tutorials/en/accounts-payable-brazil.md index 29a96452d..fa3b05f4c 100644 --- a/docs/tutorials/en/accounts-payable-brazil.md +++ b/docs/tutorials/en/accounts-payable-brazil.md @@ -15,4 +15,4 @@ legacySlug: accounts-payable-procedures subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. The English speaking countries version version is available at [Accounts Payable - International.](https://help.vtex.com/en/tutorial/accounts-payable-international--3yea9sIlsA0KgUC28ASCGs) diff --git a/docs/tutorials/en/accounts-payable-international.md b/docs/tutorials/en/accounts-payable-international.md index d10a8d9d3..5af6da9d1 100644 --- a/docs/tutorials/en/accounts-payable-international.md +++ b/docs/tutorials/en/accounts-payable-international.md @@ -15,7 +15,7 @@ legacySlug: accounts-payable-procedures-international subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>ℹ️ **This procedure applies only to VTEX's international offices.** To ensure the conformity of overseas payments, the following procedures must be followed: diff --git a/docs/tutorials/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md b/docs/tutorials/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md index 7e475d2a5..da1e529d2 100644 --- a/docs/tutorials/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md +++ b/docs/tutorials/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md @@ -17,30 +17,28 @@ subcategory: 14V5ezEX0cewOMg0o0cYM6 To activate Google login with OAuth2, you must access the VTEX ID in your admin and fill in the `Client ID` and `Client Secret` fields, as described [in this article](/en/tutorial/configuring-user-id-with-facebook-and-google). -![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/1dd69d7f89b79cbca4c0d3265e800c3c/google_EN.png) +![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-0.png) These values are derived from a project that needs to be created in the Google Cloud Platform API service. To get these values, do the following: - +>⚠️ The steps mentioned below describe a third-party platform and may therefore be outdated. For the latest information related to these steps, please access the following Google articles: [Setting up OAuth 2.0](https://support.google.com/cloud/answer/6158849) and [OpenID Connect](https://developers.google.com/identity/protocols/oauth2/openid-connect). 1. Access the link [`https://console.developers.google.com/`](https://console.developers.google.com/); 2. In the side tab, click on __Credentials__; 3. Click on __Create Project__; - ![Criar Projeto Google EN](https://images.ctfassets.net/alneenqid6w5/7d7axXgcKs8SKcG0YekU8m/6aa68d7e981fd534a35ef3046b8d4cc2/Criar_Projeto_Google_EN.png) + ![Criar Projeto Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-1.png) 4. Name the project and click on __Create__; - ![Novo Projeto Google EN](https://images.ctfassets.net/alneenqid6w5/1PB6BTeU4I6YOqySuwcS4W/aba1e15eee652b262a3932ffa87cdf02/Novo_Projeto_Google_EN.png) + ![Novo Projeto Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-2.png) 5. Click on __Create credentials__; - ![Criar Credenciais Google EN](https://images.ctfassets.net/alneenqid6w5/5bGcIsahuvFskIQBn8X8bl/b5916fc567067ef1c3dcb464d392be4f/Criar_Credenciais_Google_EN.png) + ![Criar Credenciais Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-3.png) 6. Select the __OAuth client ID__ option; - ![ID cliente OAuth Google EN](https://images.ctfassets.net/alneenqid6w5/5CBmKjKYTYOMkkQImIMcI4/66104a80f14e2ea12cd894435ddf0843/ID_cliente_OAuth_Google_EN.png) + ![ID cliente OAuth Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-4.png) 7. Click on __Configure consent screen__; - ![Configurar Tela Consentimento Google EN](https://images.ctfassets.net/alneenqid6w5/3mprVJpYy6wdtJJEhhbi1s/5b057c3ce55c3207415d1b37117b5ac1/Configurar_Tela_Consentimento_Google_EN.png) + ![Configurar Tela Consentimento Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-5.png) 8. Choose the type of user for your store(__Internal__ or __External__) and click on __Create__; - ![Tipo usuário Google EN](https://images.ctfassets.net/alneenqid6w5/yxxE4AdTY0yuNClfZwXHL/2f15aac33884886b494137342ebadaf6/Tipo_usu__rio_EN.png) + ![Tipo usuário Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-6.png) 9. __Application name__: will be shown to clients when logging in; 10. __User support email__: for users to contact you with question about their consent; 11. __App logo__: corresponds to your store logo; @@ -49,19 +47,19 @@ The steps mentioned below describe a third-party platform and may therefore be o - `vtex.com.br`, regarding our backend servers 13. __Developer contact information__: these email addresses are for Google to notify you about any changes to your project; 14. Click on __Save and continue__; - ![Configurações Tela Consentimento EN](https://images.ctfassets.net/alneenqid6w5/2jKyTCl5FeeMsS2iAw0aKa/4d3a9c16d4a83dfc8559f8ddab04cd6f/Configura____es_Tela_Consentimento_EN.png) + ![Configurações Tela Consentimento EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-7.png) 13. In the left side menu, click on __Credentials__; 14. In Type of application, click on __Web Application__; - ![Credenciais Aplicativo Web Google EN](https://images.ctfassets.net/alneenqid6w5/1sq6ByDBoYtGLeiU3Xsmgx/68c4968faa050c891f7501420d7fc6c8/Credenciais_Aplicativo_Web_Google_EN.png) + ![Credenciais Aplicativo Web Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-8.png) 15. __Name__: for internal identification; 16. __Authorized JavaScript origins__: add the exact addresses that can use this authentication method, corresponding to your site; for example `https://www.mystore.com`. We also recommended that you add the address `https://{{accountName}}}.myvtex.com` of your account, where `{{accountName}}` is your account name as described in the store's admin menu; 17. __Authorized redirect URIs__: add the VTEX service URL: -`https://vtexid.vtex.com.br/VtexIdAuthSiteKnockout/ReceiveAuthorizationCode.ashx` - ![Configurações Aplicativo Web Google EN](https://images.ctfassets.net/alneenqid6w5/4HsRII0LeoGMYqWoioWi0o/9e9b216146ef6285903e647722080234/Configura____es_Aplicativo_Web_EN.png) + ![Configurações Aplicativo Web Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-9.png) 18. After you complete these steps, your credentials will be displayed: - ![Cliente OAuth criado Google EN](https://images.ctfassets.net/alneenqid6w5/58KAqlnXhKoAqgq6Gcc80K/b2db65f7598baba9de8f6ecd7d3aa70e/Cliente_OAuth_criado_Google_EN.png) + ![Cliente OAuth criado Google EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-10.png) - Copy the __Client ID__ from Google and paste it into the `Client Id' field in the VTEX ID admin. - Copy the __client secret key__ from Google and paste it into the `Client Secret` field in the VTEX ID admin. - ![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/1dd69d7f89b79cbca4c0d3265e800c3c/google_EN.png) + ![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-a-client-id-and-a-client-secret-to-log-in-with-google-11.png) Then, save the changes. diff --git a/docs/tutorials/en/adding-collections-cms.md b/docs/tutorials/en/adding-collections-cms.md index 5b73162a0..71e318036 100644 --- a/docs/tutorials/en/adding-collections-cms.md +++ b/docs/tutorials/en/adding-collections-cms.md @@ -15,9 +15,7 @@ legacySlug: adding-collections subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
-

There are two ways to configure collections: through the Legacy CMS Portal or the Collections Beta module. This article is about how to configure collections through the Legacy CMS Portal.

-
+>⚠️ There are two ways to configure collections: through the Legacy CMS Portal or the [Collections Beta](https://help.vtex.com/en/tutorial/creating-collections-beta--yJBHqNMViOAnnnq4fyOye) module. This article is about how to configure collections through the Legacy CMS Portal. Follow the steps below to add a new collection: @@ -31,7 +29,7 @@ Follow the steps below to add a new collection: Choosing the products that will make up a collection is done by clicking on __New Group__ in the desired collection, creating a __group__. -![new-group-collection en](https://images.ctfassets.net/alneenqid6w5/7tJUzscKOqsDSLv64f71KJ/49434a9c33f677cf4632f2145d4064b4/new-group-collection_en.png) +![new-group-collection en](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-0.png) Before choosing which products to add to a group, you will need to give it a name and specify which type the created group falls under. @@ -71,17 +69,17 @@ For example: When selecting a category `A` and a brand `B`, only products pertai To add the products of a specific department to a group, select the desired department and click on __Save Group__, as shown in the image below. -![seleção-departamento EN](https://images.ctfassets.net/alneenqid6w5/2CWCcsikNQciGdeJrN4ffV/3419aae384eec69319a0fd199decc16a/sele____o-departamento_EN.png) +![seleção-departamento EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-1.png) The same applies for products of a specific Category or Subcategory. -![seleção-categoria-subcategoria EN](https://images.ctfassets.net/alneenqid6w5/2Z3mfoWo65F6fJM22sZEqi/c5dc354968d5bb690fadff1da9316e96/sele____o-categoria-subcategoria_EN.png) +![seleção-categoria-subcategoria EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-2.png) ## Product by Brand To create a group containing products from one or more brands, select the desired brand from the corresponding list. -![seleção-marca-coleção en](https://images.ctfassets.net/alneenqid6w5/1wjrZ0Oa0n2ZwdB8QXAWAS/8386ab974309a4ffe652011ab1a312f4/sele____o-marca-cole____o_en.png) +![seleção-marca-coleção en](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-3.png) Brands are displayed in alphabetical order. When clicking on the first letter corresponding to the desired brand, the list expands and displays the existing brands. @@ -91,7 +89,7 @@ Brands are displayed in alphabetical order. When clicking on the first letter co When adding a SKU to a group, the product to which it is linked is also added. If the product is linked to more than one SKU, adding one SKU would also add all other SKUs to the group. -![selecao-sku-manual en & es](https://images.ctfassets.net/alneenqid6w5/1GZTDTmU26MOuQ5u3dpOe7/04f1623d9c52bd939e4fabb455fab8ff/selecao-sku-manual_en.png) +![selecao-sku-manual en & es](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-4.png) In the __find SKUs__ field, you can type in as many SKU IDs as needed, separating each one by a comma. @@ -109,21 +107,21 @@ To remove an SKU from the list, click on the red button next to it. You can __Bulk insert SKUs__ by importing an `.xls` format spreadsheet to list SKUs that will be part of a group. -![selecao-sku-planilha-insert en & es](https://images.ctfassets.net/alneenqid6w5/9SITcqeeZNYTlAz5wi6IA/6765c51947698f35bf4ad198a51bcdc0/selecao-sku-planilha-insert_en.png) +![selecao-sku-planilha-insert en & es](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-5.png) In the imported spreadsheet, all SKU IDs must be listed in the first column, with a header, as shown in the example below: -![exemplo-planilha-seleção-sku-coleção](https://images.ctfassets.net/alneenqid6w5/5E2rtjyWArzeGjr27smF4o/bd66f1ea64d4e0d104471fac71bd98ab/exemplo-planilha-sele____o-sku-cole____o.png) +![exemplo-planilha-seleção-sku-coleção](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-6.png) After selecting the desired spreadsheet, click on the __Import SKUs__ option to sent the information. -![Import SKUs](https://images.ctfassets.net/alneenqid6w5/61tifMGQaUdD1MAsfdblo8/2ecfd6edbba468740f23ccc53c3e1eba/Import_SKUs.png) +![Import SKUs](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-7.png) #### Bulk remove To avoid having to remove SKUs one at a time, you can use the import function of a spreadsheet to bulk remove them. -![exclusao-skus-manualmente-planilha-coleção-cms en & es](https://images.ctfassets.net/alneenqid6w5/moziGpjShzDpFw63tyDOa/ebfb61d2a2d2e09d494690ad0dc0ab62/exclusao-skus-manualmente-planilha-cole____o-cms_EN.png) +![exclusao-skus-manualmente-planilha-coleção-cms en & es](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-8.png) In this specific case, the SKUs listed in the imported spreadsheet will be excluded from the group. Do this by clicking on __remove SKUs__ after the file has been loaded. @@ -135,7 +133,7 @@ In this specific case, the SKUs listed in the imported spreadsheet will be exclu Note that you can only select one of the two options. Should you want both add-ons, create two groups and configure each one with the respective option. -![other-options-cms-coleções EN](https://images.ctfassets.net/alneenqid6w5/4kHHhPDUSBSdjkYaApxayp/ef552cf4e72bb119f0b080605927a2b9/other-options-cms-cole____es_EN.png) +![other-options-cms-coleções EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/adding-collections-cms-9.png) ### Pre-sales diff --git a/docs/tutorials/en/adding-your-brands.md b/docs/tutorials/en/adding-your-brands.md index f9a55e8ff..59997dabc 100644 --- a/docs/tutorials/en/adding-your-brands.md +++ b/docs/tutorials/en/adding-your-brands.md @@ -19,4 +19,4 @@ subcategory: _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/amaro-integration.md b/docs/tutorials/en/amaro-integration.md index a9cdcf279..481eb592b 100644 --- a/docs/tutorials/en/amaro-integration.md +++ b/docs/tutorials/en/amaro-integration.md @@ -15,5 +15,5 @@ legacySlug: amaro-integration subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/amazon-integration-configuration-errors.md b/docs/tutorials/en/amazon-integration-configuration-errors.md index 2f9231cda..5adb68e11 100644 --- a/docs/tutorials/en/amazon-integration-configuration-errors.md +++ b/docs/tutorials/en/amazon-integration-configuration-errors.md @@ -15,4 +15,4 @@ legacySlug: amazon-integration-configuration-errors subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/amazon-missing-required-attributes-errors.md b/docs/tutorials/en/amazon-missing-required-attributes-errors.md index c35e2d975..dfd18ed62 100644 --- a/docs/tutorials/en/amazon-missing-required-attributes-errors.md +++ b/docs/tutorials/en/amazon-missing-required-attributes-errors.md @@ -15,4 +15,4 @@ legacySlug: amazon-missing-required-attributes-errors subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/amazon-token-permission-errors.md b/docs/tutorials/en/amazon-token-permission-errors.md index 0a69d1193..0f47c0082 100644 --- a/docs/tutorials/en/amazon-token-permission-errors.md +++ b/docs/tutorials/en/amazon-token-permission-errors.md @@ -15,4 +15,4 @@ legacySlug: amazon-token-permission-errors subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/application-keys.md b/docs/tutorials/en/application-keys.md index 2e0bbaa3a..13bfb8c0d 100644 --- a/docs/tutorials/en/application-keys.md +++ b/docs/tutorials/en/application-keys.md @@ -156,4 +156,4 @@ To reactivate external application keys that have previously been deactivated, y If necessary for a security audit, you can export a CSV file containing the **Key** values for all internal and external app keys that currently have access to your account — that is, that have roles associated with them. -To export the keys, go to _Account settings > Application keys_ and click the export-button Export button. +To export the keys, go to _Account settings > Application keys_ and click the export-button Export button. diff --git a/docs/tutorials/en/asin-ean-brand-errors-on-amazon.md b/docs/tutorials/en/asin-ean-brand-errors-on-amazon.md index 71f1383d5..0db9daf43 100644 --- a/docs/tutorials/en/asin-ean-brand-errors-on-amazon.md +++ b/docs/tutorials/en/asin-ean-brand-errors-on-amazon.md @@ -15,4 +15,4 @@ legacySlug: asin-ean-brand-errors-on-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/associate-a-sku-to-a-trade-policy.md b/docs/tutorials/en/associate-a-sku-to-a-trade-policy.md index 5191d7a43..2cb496e2c 100644 --- a/docs/tutorials/en/associate-a-sku-to-a-trade-policy.md +++ b/docs/tutorials/en/associate-a-sku-to-a-trade-policy.md @@ -15,9 +15,7 @@ legacySlug: associate-a-sku-to-a-trade-policy subcategory: pwxWmUu7T222QyuGogs68 --- - +>⚠️ This tutorial explains how to assign **existing SKUs** to a given [trade policy](https://help.vtex.com/en/tutorial/creating-a-sales-policy--563tbcL0TYKEKeOY4IAgAE). To add a new SKU, please read the tutorial [Adding SKUs](https://help.vtex.com/en/tracks/catalogo-101--5AF0XfnjfWeopIFBgs3LIQ/17PxekVPmVYI4c3OCQ0ddJ). You can associate an SKU with one or more trade policies on the configuration page of each SKU. @@ -29,8 +27,6 @@ You can associate an SKU with one or more trade policies on the configuration pa 6. Mark the checkbox of the trade policy for B2B. 7. At the bottom of the page, click on the `Save` button to save changes. - +>⚠️ If no specific trade policy is selected on the SKU configuration, all trade policies will have access to the SKU. Every change made to an SKU takes time to be processed, including associating it with trade policies. This period is called re-indexing. Learn more in the article [How indexing works](https://help.vtex.com/en/tutorial/understanding-how-indexation-works--tutorials_256). diff --git a/docs/tutorials/en/autocomplete.md b/docs/tutorials/en/autocomplete.md index 2192e3c67..945fc091b 100644 --- a/docs/tutorials/en/autocomplete.md +++ b/docs/tutorials/en/autocomplete.md @@ -27,10 +27,7 @@ Autocomplete is the functionality that displays previous search results based on - Most searched terms. - +>⚠️ When searching for a term not listed, Autocomplete will not find products with that specification and will not display any suggestions. During the interaction with the search bar, VTEX Intelligent Search immediately displays the set of _Most searched terms_ and _Last searches_ (if the customer has done searches before). @@ -49,22 +46,22 @@ Another advantage for the store's manager is the increase in conversion due to t This section displays the most searched terms on the website by other customers. -![top-busca-EN](https://images.ctfassets.net/alneenqid6w5/2gToQi6Nms00oiWUKUbARZ/a935147445ee66de24f43b5c27498119/top-busca-EN.png) +![top-busca-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-0.png) ## Last searches This section displays the last searches performed by the customer. This way, it is possible to start the interaction with the search instantly. -![historico-EN](https://images.ctfassets.net/alneenqid6w5/4MGjASLdfoocOJUHqNQZ3S/a1f82e4d16a67dd446bd8b00117a3744/historico-EN.png) +![historico-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-1.png) ## Search suggestions This section displays the terms and categories other users searched related to the search performed at that time. -![sugest-EN](https://images.ctfassets.net/alneenqid6w5/1yoepV91SSqKxLr0VVD8AX/4b80f72d4c5c5352c2399a1fbec2489e/sugest-EN.png) +![sugest-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-2.png) ## Product suggestion This section shows the products that correspond to the search carried out at that moment. By displaying products related to your search while you are typing, it reduces dropouts and gives the user the possibility to make a more dynamic purchase. -![produtos-EN](https://images.ctfassets.net/alneenqid6w5/5QMMNF3iCB2428Ycmswtvd/40062662cd777497d54a86eadb13a1d0/produtos-EN.png) +![produtos-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/autocomplete-3.png) diff --git a/docs/tutorials/en/beta-price-configuration.md b/docs/tutorials/en/beta-price-configuration.md index 123dcac5f..6edb52733 100644 --- a/docs/tutorials/en/beta-price-configuration.md +++ b/docs/tutorials/en/beta-price-configuration.md @@ -15,9 +15,7 @@ legacySlug: price-configuration-beta subcategory: 2XTQ6yFYeU5bGHK8Qq3f4I --- -
-

This feature is in Beta stage, meaning we are working to improve it. If you have any questions, please contact our Support Center.

-
+>ℹ️ This feature is in Beta stage, meaning we are working to improve it. If you have any questions, please contact our Support Center. This new Price Settings (Beta) section allows you to create and manage rules for price lists and change general settings in an easy and fast way. @@ -44,9 +42,7 @@ In this section, you can set the default markup and price variation limit for yo ## Price table rules -
-

This section is the alternative for clients who used to configure their prices through Pricing V1 UTM. Now you can select a price table for UTM scenarios.

-
+>⚠️ This section is the alternative for clients who used to configure their prices through Pricing V1 UTM. Now you can select a price table for UTM scenarios. In this section you can create pricing table prioritization rules from specific conditions. @@ -71,11 +67,11 @@ To create a new rule, follow the steps below: b. **Activate in specific conditions:** the price table will be activated according to the conditions set in the rule. See the configuration possibilities on the following images: - ![config-preco-EN](https://images.ctfassets.net/alneenqid6w5/2sDqS10pMIv7tmDTgP96si/10028ff45ae241863445061a871e98dd/config-preco-EN.png) + ![config-preco-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/beta-price-configuration-0.png) - ![config-preco2-EN](https://images.ctfassets.net/alneenqid6w5/13jaqi9EY1SZ7CdShElb7r/e9ce4f8ca7b2322aacd556fbf5f7cd50/config-preco2-EN.png) + ![config-preco2-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/beta-price-configuration-1.png) -![config-preco3-EN](https://images.ctfassets.net/alneenqid6w5/3EC7hLAQO43LoPlijbXFKM/42d35e6f525408f2920da790b08bd88d/config-preco3-EN.png) +![config-preco3-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/beta-price-configuration-2.png) 7. Click on **Confirm**. diff --git a/docs/tutorials/en/carrefour-inventory-integration-errors.md b/docs/tutorials/en/carrefour-inventory-integration-errors.md index 619789fb8..7f8eeec01 100644 --- a/docs/tutorials/en/carrefour-inventory-integration-errors.md +++ b/docs/tutorials/en/carrefour-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: carrefour-inventory-integration-errors subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/clientes-vtex-tracking.md b/docs/tutorials/en/clientes-vtex-tracking.md index 7035444b1..24a471ba9 100644 --- a/docs/tutorials/en/clientes-vtex-tracking.md +++ b/docs/tutorials/en/clientes-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: clientes-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/collection-highlight-control.md b/docs/tutorials/en/collection-highlight-control.md index 0e9ffb2c3..1ab6032bc 100644 --- a/docs/tutorials/en/collection-highlight-control.md +++ b/docs/tutorials/en/collection-highlight-control.md @@ -15,9 +15,7 @@ legacySlug: collection-highlight-control subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
-

there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the Legacy CMS Portal.

-
+>⚠️ there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the Legacy CMS Portal. The `` control (for product pages) or `$product.HightLight` control (for shelves) renders an HTML element with a specific class in the context of products that are part of a collection marked with the __Highlight__ flag. @@ -29,7 +27,7 @@ First, let's see where the Highlight flag is: 4. Click a collection. 5. Check the __Highlight__ flag, which is on the collection screen, and then click __Save Product Cluster__. -![CollectionHighlightFlag](https://images.contentful.com/alneenqid6w5/4ced6Gcbeg662KewckyQka/77aaef77fc87cf8112f759c867a6bd4b/CollectionHighlightFlag.png) +![CollectionHighlightFlag](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/collection-highlight-control-0.png) By flagging it, you inform the system that whenever the highlight control is used in a page template, the products displayed on that page that are part of the collection must appear with the HTML element below, where in place of `{CollectionName}` appears the name of the collection registered in the CMS: diff --git a/docs/tutorials/en/conecta-la-integration.md b/docs/tutorials/en/conecta-la-integration.md index 070ed6892..f01f5a1bc 100644 --- a/docs/tutorials/en/conecta-la-integration.md +++ b/docs/tutorials/en/conecta-la-integration.md @@ -15,5 +15,5 @@ legacySlug: conecta-la-integration subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/configure-cartman.md b/docs/tutorials/en/configure-cartman.md index a95150b10..87c1d1993 100644 --- a/docs/tutorials/en/configure-cartman.md +++ b/docs/tutorials/en/configure-cartman.md @@ -42,7 +42,7 @@ To activate Cartman manually, follow the steps below: 1. Access any of your store's Checkout pages (`https://{accountname}.myvtex.com/checkout/`). 2. Insira a query string `?cartman=on` no final da URL (`https://accountname.myvtex.com/checkout?cartman=on`). -3. In the lower right corner of the screen, click the button cartman-icon to access Cartman. +3. In the lower right corner of the screen, click the button cartman-icon to access Cartman. ## Cartman features @@ -101,7 +101,7 @@ To learn more about UTMs and UTMIs, go to [What are utm_source, utm_campaign, an Cartman can be deactivated at any time as required by the merchant. To disable it, follow the steps below: 1. Access any of your store's Checkout pages (`https://{accountname}.myvtex.com/checkout/`). -2. In the lower right corner of the screen, click the button cartman-icon. +2. In the lower right corner of the screen, click the button cartman-icon. 3. At the bottom of Cartman's menu, click `Disable Cartman`. >ℹ️ If you want to reactivate **Cartman**, re-add the query string `?cartman=on` in one of your store's Checkout pages. In this way, the blue icon will be available again in the lower right corner of the page. diff --git a/docs/tutorials/en/configure-direct-consumer-credit-cdc-by-losango.md b/docs/tutorials/en/configure-direct-consumer-credit-cdc-by-losango.md index 62158b2b7..40cf21209 100644 --- a/docs/tutorials/en/configure-direct-consumer-credit-cdc-by-losango.md +++ b/docs/tutorials/en/configure-direct-consumer-credit-cdc-by-losango.md @@ -15,4 +15,4 @@ legacySlug: configure-direct-consumer-credit-cdc-by-losango subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/configure-employee-benefits-using-master-data-clusters.md b/docs/tutorials/en/configure-employee-benefits-using-master-data-clusters.md index 8c69fa5e6..5764d5c18 100644 --- a/docs/tutorials/en/configure-employee-benefits-using-master-data-clusters.md +++ b/docs/tutorials/en/configure-employee-benefits-using-master-data-clusters.md @@ -40,9 +40,9 @@ Here, the common property of the clients will be that they are also employees of This article assumes that the employees are properly registered with a boolean field `isEmployee` set to true in their respective documents for the CL data entity, as shown in the figure below. If they are not, check the article [Creating a field in Master Data](https://help.vtex.com/en/tutorial/how-can-i-create-field-in-master-data) to create a field that identifies the employees and properly configure it for each document corresponding to the employees. -![Employee field](https://images.ctfassets.net/alneenqid6w5/58zHOX5joCiSGRfGH1QcVS/550d4899318a5728eb0d73f04a32b710/Employee_field.png) +![Employee field](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configure-employee-benefits-using-master-data-clusters-0.png) - +>ℹ️ There are many details to completely configure a benefit. If you need additional information on this matter, check out the article [Creating promotions](https://help.vtex.com/en/tutorial/creating-promotions-2). With the field configured, the benefit can be created by following the steps below: @@ -55,4 +55,4 @@ With the field configured, the benefit can be created by following the steps bel 7. In the end of the page, click on the **Save** button. After that, the benefit should already be working as configured. The discount is shown only in the shopping cart. The image below shows an example with 99% off. -![Shopping cart with discount](https://images.ctfassets.net/alneenqid6w5/475MwMGUzp7GzqF0xYFVUq/599d65a4eb894d02d8cfb0a6c1a55463/Carrinho_com_desconto.png) +![Shopping cart with discount](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configure-employee-benefits-using-master-data-clusters-1.png) diff --git a/docs/tutorials/en/configure-payment-with-pix-at-nubank.md b/docs/tutorials/en/configure-payment-with-pix-at-nubank.md index fe6a39b48..6785c7dd1 100644 --- a/docs/tutorials/en/configure-payment-with-pix-at-nubank.md +++ b/docs/tutorials/en/configure-payment-with-pix-at-nubank.md @@ -15,4 +15,4 @@ legacySlug: configure-payment-with-pix-at-nubank subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/configure-payment-with-shopfacil.md b/docs/tutorials/en/configure-payment-with-shopfacil.md index 9f71cbe41..92e0f8ca9 100644 --- a/docs/tutorials/en/configure-payment-with-shopfacil.md +++ b/docs/tutorials/en/configure-payment-with-shopfacil.md @@ -15,4 +15,4 @@ legacySlug: configure-payment-with-shopfacil subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/configuring-b2b-self-service-stores.md b/docs/tutorials/en/configuring-b2b-self-service-stores.md index e1abdf2c6..570359c78 100644 --- a/docs/tutorials/en/configuring-b2b-self-service-stores.md +++ b/docs/tutorials/en/configuring-b2b-self-service-stores.md @@ -19,7 +19,7 @@ The self-service scenario is the most flexible in B2B. It allows the customer to This scenario offers advantages for users since they can explore the catalog, inventory, and prices freely, according to their user roles. In addition, they can view information and place orders at any time, without intermediaries. -
For B2C clients who want to set up a B2B scenario, please contact our Support.
+>ℹ️ For B2C clients who want to set up a B2B scenario, please contact [our Support](https://support.vtex.com/hc/pt-br/requests). One of the first decisions you must make when setting a B2B store is whether it will be open or closed to the public. @@ -70,9 +70,7 @@ It should require essential information about the user to help you assess whethe In the B2B scenario, it is common to use basic information such as name, email, phone number, street name, and city. You can use a form to get this information. - +>❗ The field used as a conditional rule in the trade policy **cannot be in this form** because user approval is the store's responsibility. On VTEX, you can create forms through [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data") — the store's database —, which stores information of the store's customer database and organizes the data received through forms. @@ -84,7 +82,7 @@ To create a form, please follow the instructions below: So when a customer fills out the form, their data will be included in the Master Data customer table. -
You can choose to create a form with more features, such as ZIP code autofill, multiple tabs, or NAICS (North American Industry Classification System) code. If you choose this type of form, check out the VTEX IO technical documentation.
+>ℹ️ You can choose to create a form with more features, such as ZIP code autofill, multiple tabs, or NAICS (North American Industry Classification System) code. If you choose this type of form, check out the [VTEX IO](https://developers.vtex.com/vtex-developer-docs/docs/vtex-io-documentation-creating-a-new-custom-page) technical documentation. ### Approving users You can approve or add users in the [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data"). Ecommerce managers are the ones responsible for approving customer access to store content. @@ -97,7 +95,7 @@ To determine which products each group of users will be able to view, you must c When creating or configuring a trade policy for the B2B context, you’ll need to select the products that will be associated with it. On VTEX, you can associate SKUs individually through the Admin or in bulk using the [Catalog API](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview "Catalog API"). -
We recommend configuring SKUs using the Catalog API — association or creation in bulk or individually — for companies that already have a mature ecommerce operation and manage and maintain their own product catalog in ecommerce. This infrastructure allows you to import the entire catalog with all current configurations via ERP integration.
+>ℹ️ We recommend configuring SKUs using the [Catalog API](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview) — association or creation in bulk or individually — for companies that already have a mature ecommerce operation and manage and maintain their own product catalog in ecommerce. This infrastructure allows you to import the entire catalog with all current configurations via [ERP integration](https://developers.vtex.com/vtex-rest-api/docs/erp-integration-guide). ### Configuring the logistics strategy @@ -137,7 +135,7 @@ Credit management is a versatile resource and, as a result, you can use it in di On VTEX, retailers can use [Customer Credit](https://help.vtex.com/pt/tutorial/customer-credit-visao-geral--1uIqTjWxIIIEW0COMg4uE0 "Customer Credit"), an app in which they can offer and manage the credits granted to their customers. To install the app, check out the complete step-by-step guide in [Installing Customer Credit ](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/36grlQ69NK6OCuioeekyCs "Installing Customer Credit"). -
Standard payment methods, such as credit card and debit card, can also be configured for the B2B context. Credit management is the method most frequently used by customers.
+>ℹ️ Standard payment methods, such as credit card and debit card, can also be configured for the B2B context. Credit management is the method most frequently used by customers. After installing the app in your store, you must configure Customer Credit as an available payment method. This way, your customers will be able to make their purchases using the credit granted to them. To configure Customer Credit as a payment method in your store, check out [this tutorial](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/21ok0GBwmcIeaY2IukYMOg#condicoes-de-pagamento "this tutorial"). diff --git a/docs/tutorials/en/configuring-email-senders.md b/docs/tutorials/en/configuring-email-senders.md index 94a97fed6..9b2c9ae66 100644 --- a/docs/tutorials/en/configuring-email-senders.md +++ b/docs/tutorials/en/configuring-email-senders.md @@ -19,4 +19,4 @@ This step assures that emails sent by the store arrive to customers with the sen _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/configuring-payment-gateways.md b/docs/tutorials/en/configuring-payment-gateways.md index e2845984e..a90e33ac2 100644 --- a/docs/tutorials/en/configuring-payment-gateways.md +++ b/docs/tutorials/en/configuring-payment-gateways.md @@ -18,5 +18,5 @@ subcategory: 3tDGibM2tqMyqIyukqmmMw Payment gateways are essential to turn the key to take your store live. To do so, access the [PCI Gateway](/tutorial/afiliacoes-de-gateway/ "PCI Gateway"), our module certified by PCI DSS that guarantees the satefy your customers’ payment information. _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/configuring-payment-with-adyenv3-in-vtex-sales-app.md b/docs/tutorials/en/configuring-payment-with-adyenv3-in-vtex-sales-app.md index eac12ecf1..cf7d7de64 100644 --- a/docs/tutorials/en/configuring-payment-with-adyenv3-in-vtex-sales-app.md +++ b/docs/tutorials/en/configuring-payment-with-adyenv3-in-vtex-sales-app.md @@ -3,8 +3,8 @@ title: 'Configuring payment with AdyenV3 in VTEX Sales App' id: 24yO6KloBn6DN6CbprHtgt status: PUBLISHED createdAt: 2023-05-09T14:12:03.567Z -updatedAt: 2024-07-26T16:55:23.474Z -publishedAt: 2024-07-26T16:55:23.474Z +updatedAt: 2024-09-03T13:37:54.592Z +publishedAt: 2024-09-03T13:37:54.592Z firstPublishedAt: 2023-05-11T20:30:50.460Z contentType: tutorial productTeam: Financial @@ -47,7 +47,7 @@ To enable VTEX access to the Adyen environment, follow the instructions below: 2. In the left sidebar, copy and save the information shown above **Company**. This is your Company account. 3. In the list below Company, search for the Merchant Account that will be used (highlighted in white). Copy and save this information. -![Adyenv3_1](https://images.ctfassets.net/alneenqid6w5/4BHwn5SIUl6AuiiEjreluk/a7404c85f6fda7f7ccbae66070d0db0d/Adyenv3_1.PNG) +![Adyenv3_1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-0.PNG) ### Getting the POS Live URL @@ -66,7 +66,7 @@ The steps below assume that the API Key has been previously generated in the Ady 2. Select your API credential. 3. In **Server Settings > Authentication**, select **API key**. -![Adyenv3_2](https://images.ctfassets.net/alneenqid6w5/5y5TAeZmhsKrn2nZTJexIw/bfbe2587739f39fa70c4e1f08e86bd71/Adyenv3_2.PNG) +![Adyenv3_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-1.PNG)
4. Click Generate key and store the generated key in a safe location. @@ -82,7 +82,7 @@ Follow the steps below to configure a webhook: 4. In **General > Description**, add a description for the new webhook. Example: "Webhook Adyen Connector Provider v3". 5. In **General > Server configuration > URL**, enter the URL of your VTEX account. Example: https://{{account}}.myvtex.com/_v3/api/webhook/notification. -![Adyenv3_4](https://images.ctfassets.net/alneenqid6w5/1gAXlQfBoEUm5qnfSsHJkl/c18036816afbfe9ed8434d1211679879/Adyenv3_4.PNG) +![Adyenv3_4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-2.PNG)
6. Click Apply. @@ -90,11 +90,11 @@ Follow the steps below to configure a webhook:
8. Click Save changes. -![Adyenv3_5](https://images.ctfassets.net/alneenqid6w5/4dNUcUg9OKni8eT1wXcjO1/19eddc41d854adb8976e6e90ed54589c/Adyenv3_5.PNG) +![Adyenv3_5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-3.PNG) -![Adyenv3_6](https://images.ctfassets.net/alneenqid6w5/2ocxDKULle6hnu2fFPnjfZ/7787ff93f023d3ec17c669758aefb82f/Adyenv3_6.PNG) +![Adyenv3_6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-4.PNG) -![Adyenv3_7](https://images.ctfassets.net/alneenqid6w5/dEbiVnYj1Ic4eYgkSNolQ/79bba40bd6820d29de275e3cab19f22e/Adyenv3_7.PNG) +![Adyenv3_7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-payment-with-adyenv3-in-vtex-sales-app-5.PNG) >ℹ️ If you have several stores, you need to configure a webhook for each of them. diff --git a/docs/tutorials/en/configuring-payment-with-cielo-in-vtex-sales-app.md b/docs/tutorials/en/configuring-payment-with-cielo-in-vtex-sales-app.md index 3a9a5bb69..7a9f686c5 100644 --- a/docs/tutorials/en/configuring-payment-with-cielo-in-vtex-sales-app.md +++ b/docs/tutorials/en/configuring-payment-with-cielo-in-vtex-sales-app.md @@ -15,4 +15,4 @@ legacySlug: configuring-payment-with-cielo-in-vtex-sales-app subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/configuring-payment-with-mercado-pago-in-vtex-sales-app.md b/docs/tutorials/en/configuring-payment-with-mercado-pago-in-vtex-sales-app.md index 1980f97e0..380e3a6a7 100644 --- a/docs/tutorials/en/configuring-payment-with-mercado-pago-in-vtex-sales-app.md +++ b/docs/tutorials/en/configuring-payment-with-mercado-pago-in-vtex-sales-app.md @@ -1,10 +1,10 @@ --- title: 'Configuring payment with Mercado Pago in VTEX Sales App' id: 51fgSydGGOnlBdtwTfE8BE -status: CHANGED +status: PUBLISHED createdAt: 2024-08-26T12:36:03.781Z -updatedAt: 2024-09-02T21:20:22.288Z -publishedAt: 2024-08-28T21:17:53.696Z +updatedAt: 2024-09-03T13:41:09.309Z +publishedAt: 2024-09-03T13:41:09.309Z firstPublishedAt: 2024-08-26T18:37:41.187Z contentType: tutorial productTeam: Financial @@ -15,4 +15,4 @@ legacySlug: configuring-payment-with-mercado-pago-in-vtex-sales-app subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/configuring-physical-stores-integration-with-b2w.md b/docs/tutorials/en/configuring-physical-stores-integration-with-b2w.md index de47a29bd..f7bacca4f 100644 --- a/docs/tutorials/en/configuring-physical-stores-integration-with-b2w.md +++ b/docs/tutorials/en/configuring-physical-stores-integration-with-b2w.md @@ -15,5 +15,5 @@ legacySlug: configuring-physical-stores-integration-with-b2w-skyhub subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/configuring-promotions-with-a-highlightflag.md b/docs/tutorials/en/configuring-promotions-with-a-highlightflag.md index 2cf127edd..029ad47c0 100644 --- a/docs/tutorials/en/configuring-promotions-with-a-highlightflag.md +++ b/docs/tutorials/en/configuring-promotions-with-a-highlightflag.md @@ -15,13 +15,11 @@ legacySlug: configuring-promotions-with-a-highlightflag subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ Tutorial valid only for Legacy CMS Stores. The promotion highlight is a notice that can be placed on shelves and product pages stating that the product is eligible for a promotion. A common example is an image below a product picture indicating free shipping. -![ExemploPromocaoDestaque2](https://images.contentful.com/alneenqid6w5/jS31HBOW3YWsIYyUOE8o/3d0c108c84b2a7c5e6ae2d4254425e4b/ExemploPromocaoDestaque2.png) +![ExemploPromocaoDestaque2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-promotions-with-a-highlightflag-0.png) Not all promotions are eligible to be featured. This possibility is limited to the types below: @@ -66,9 +64,9 @@ This configuration consists of editing the page template used for the product pa 9. On the right side of the screen, click on **New Layout**. 10. In the side menu, click on the layout with a red check mark, and in the __Template__ field check the name of the template used. -![Layout com check - PT](https://images.ctfassets.net/alneenqid6w5/4GmSglkpk78c4M5hDZEgZX/ab47d3105213471fe370be0b11afcfab/image.png) +![Layout com check - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-promotions-with-a-highlightflag-1.png) -![Template](https://images.contentful.com/alneenqid6w5/2OzzBkU2YwsgCGeICsgIcg/61aaf502c787cb4f0468ab8cee821072/Template.png) +![Template](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/configuring-promotions-with-a-highlightflag-2.png) 11. Go back to the side menu and click on the **HTML Templates** folder. 12. Click on the template you found in @Product@. diff --git a/docs/tutorials/en/configuring-your-layout.md b/docs/tutorials/en/configuring-your-layout.md index 3fe7f914d..583f4978f 100644 --- a/docs/tutorials/en/configuring-your-layout.md +++ b/docs/tutorials/en/configuring-your-layout.md @@ -21,5 +21,5 @@ If your store doesn't have a team of front-end developers, we suggest you purch _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/creating-a-product-collection.md b/docs/tutorials/en/creating-a-product-collection.md index f27fbfe5c..d1c34e3da 100644 --- a/docs/tutorials/en/creating-a-product-collection.md +++ b/docs/tutorials/en/creating-a-product-collection.md @@ -15,9 +15,7 @@ legacySlug: creating-a-product-collection subcategory: pwxWmUu7T222QyuGogs68 --- -
-

There are two ways to configure collections, through the Legacy CMS Portal or the Collection module (Beta). This article is about how to configure collections through the Legacy CMS Portal.

-
+>⚠️ There are two ways to configure collections, through the Legacy CMS Portal or the [Collection module (Beta)](https://help.vtex.com/en/tutorial/creating-collections-beta--yJBHqNMViOAnnnq4fyOye). This article is about how to configure collections through the Legacy CMS Portal. To create a collection, follow the instructions below. @@ -25,7 +23,7 @@ To create a collection, follow the instructions below. 2. Click **Layout**. 3. Click the folder **Product Clusters (Collections)**. 4. Click `new collection`, illustrated below. - ![Layout 4](https://images.ctfassets.net/alneenqid6w5/2qvwI8D3FKuEuyCaEEcu4I/4add6510a4fa136243f35bebabcaf14a/Layout_4.png) + ![Layout 4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-0.png) 5. Fill in the required information: - **Product Cluster Id:** collection identifier code. This field should not be filled in as it is automatically generated by the system when saving. - **Name:** name of the collection. @@ -49,17 +47,17 @@ Each group can be of one of the following types: __Inclusion__ or __Exclusion__. To create the Group, just click on the _new group_ button, as shown in the following picture. -![Layout 5](https://images.ctfassets.net/alneenqid6w5/5VJuruDOfKeWYG22Kumoy/402839b1a455f205bab5ab01c34c6230/Layout_5.png) +![Layout 5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-1.png) To add all the products of a given Department to a Group, just select the Department in question as shown in item 1 of the following figure. This also applies to the products of a given Category (item 2) or sub-category (item 3). -![Filtro_por_categoria](https://images.ctfassets.net/alneenqid6w5/ZOZAoB8tWKM4cuYaYw6W2/401a088fe3392fa4b769cc7b667daf77/Filtro_por_categoria.jpg) +![Filtro_por_categoria](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-2.jpg) ### Creating groups by brand To create a product group with one of more brands, just select the brand desired on the corresponding list. The brands are available in alphabetical order, and by clicking on the letter corresponding to the initial of the brand, the list expands to show the existing brands. -![FIltro_por_marca](https://images.ctfassets.net/alneenqid6w5/2IsMy84TvOyeKWaKkWAMYS/9af2b71095ed38b958e48976b2415b67/FIltro_por_marca.jpg) +![FIltro_por_marca](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-3.jpg) ### Creating groups by products in the pre-sale or launch period @@ -71,17 +69,17 @@ To create a collection of products that have not yet been launched, select ̶ Unlike the previous version, where specific products were included using the Product ID, in the new module the manual inclusions are done using the SKU of a product. In the corresponding field, it is possible to type in the ID of one or several SKUs, separating the values with commas. E.g.: `2000004,2000009,2000005`. In spite of the difference in the manner of registration, in practice the effect will be the same, since by associating an SKU with a group, the "father" product of that SKU will also be added to the collection. Where a product has more than one SKU, just add one of the SKUs to the group, and all associated SKUs will be included in it. The field for including the IDs does not permit the typing of alphanumerical characters or the use of combinations of the keys `Control + C` and `Control + V`. Also, when the number of SKUs on the list exceeds 10 items, a pagination control will become available. To exclude an SKU from the list, just click on the red button beside the corresponding SKU. -![Inserir_sku_espec_fico](https://images.ctfassets.net/alneenqid6w5/u6q7VRW8YSsMs82IICgW6/71728c7bbdd6a12f0bb9c9b5cd84f2f2/inserir-sku-especifico.gif) +![Inserir_sku_espec_fico](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-4.gif) ### Importing an SKU list to the group Although group filters are very practical for automatically creating product groupings, there is a possibility that they might not meet your requirements in specific situations. To get around this, you can import a list of the SKUs that will comprise the group and, consequently, the collection. The Collections module accepts files in the Excel spreadsheet (.xls) or CSV (.csv) formats. In the case of Excel files, all SKU IDs must be arranged in the first column, with no header, as shown in the figure below: -![](https://images.contentful.com/alneenqid6w5/6t9b1mIYmsSewCEu8yOagi/c0f73dc7b921e0f7cc65cea1ae572b7b/Importar_lista_de_skus.jpg) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-5.jpg) After the spreadsheet has been imported by the system, the SKUs are displayed in the following manner: -![Importar_lista_de_skus](https://images.ctfassets.net/alneenqid6w5/opkyzS2xKCMecIU0c04Iu/ac8b3e545d02267630712b00b3e532f9/Importar_lista_de_skus.gif) +![Importar_lista_de_skus](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-6.gif) The IDs of inactive SKUs will not be imported, even if they are included in the spreadsheet. @@ -91,7 +89,7 @@ _Remember that when one or more groups are selected, only the products in the in So the Administrator won't have to manually exclude several SKUs one by one, it is possible to also use the SKU importation resource in the same manner as exemplified above. In this case, after the file has been loaded, click on the option _excluir skus_ (item 1 in the picture). -![Excluir_lista_de_skus](https://images.ctfassets.net/alneenqid6w5/7fkP3OAKk0Kq0SYM8aAw6M/37026d5804485392c3dac490adad7b40/Excluir_lista_de_skus.gif) +![Excluir_lista_de_skus](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-7.gif) Obtain a model of a file for importation, both for including and excluding items from the collection [here](https://assets.contentful.com/alneenqid6w5/Lo7Y0tXh6eKyyUSs4MESQ/209e614248978f0e86a37e4ddff50162/Colecao.xls "here"). @@ -99,4 +97,4 @@ Obtain a model of a file for importation, both for including and excluding items When the quantity of collections exceeds the display limit, which is twenty items, the collections may be found using the search field. The search must be done using the name of the collection. -![Pesquisar_cole__o](https://images.ctfassets.net/alneenqid6w5/31zMp3YFmUYY0OeyYuIK6I/89e92a9049c0a0af6ce9e7ba6d415e0b/pesquisar_colecao.gif) +![Pesquisar_cole__o](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-product-collection-8.gif) diff --git a/docs/tutorials/en/creating-a-subscription-promotion.md b/docs/tutorials/en/creating-a-subscription-promotion.md index c177db580..5616ce686 100644 --- a/docs/tutorials/en/creating-a-subscription-promotion.md +++ b/docs/tutorials/en/creating-a-subscription-promotion.md @@ -23,7 +23,7 @@ In this article, you will find the step-by-step instructions to create subscript 4. Select the `Regular` option. 5. In the **What are the conditions for the promotion to be valid?** section, select the **Is a subscription order** field. This option specifies that the promotion will apply to subscription orders. Only products with a subscription in the cart will receive the discount. To understand configuration possibilities, see the following conditions: -![frequenciaenglish](https://images.ctfassets.net/alneenqid6w5/3H1wS4j8dpkRfI0Le2A2CO/a13420f2bd7a22e963097a6e9d415e46/image2__2_.png) +![frequenciaenglish](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-a-subscription-promotion-0.png) - **First orders**: orders that generate subscriptions but are not part of subscription cycles yet. - **Recurring orders**: orders from subscription cycles. @@ -42,10 +42,7 @@ Configure the frequency and cycle correctly to ensure that the promotion is appl | 01/22/2022 | Third cycle | Promotion will not be valid | | 02/05/2022 | Fourth cycle | Promotion will be valid | - +>ℹ️ You cannot configure UTM promotions and subscription promotions using coupons on recurring orders. Coupons can only be applied to first orders.
  1. Fill in the fields of this promotion.

  2. diff --git a/docs/tutorials/en/creating-collections-beta.md b/docs/tutorials/en/creating-collections-beta.md index 52e1ca6d0..277114c87 100644 --- a/docs/tutorials/en/creating-collections-beta.md +++ b/docs/tutorials/en/creating-collections-beta.md @@ -15,10 +15,9 @@ legacySlug: cadastrar-colecoes-beta subcategory: 3aExYJkji3NIu9Ks8bxbWx --- -
    -

    There are two ways to configure collections, through the CMS or using the Collections (Beta) module. This article is about configuring collections through the Collections (Beta) module.

    -

    This feature is in Beta stage and available for environments starting from Admin v3. If you have any questions, please contact our Support team.

    -
    +>ℹ️ There are two ways to configure collections, through the **CMS** or using the **Collections (Beta)** module. This article is about configuring collections through the **Collections (Beta)** module. +> +> This feature is in Beta stage and available for environments starting from Admin v3. If you have any questions, please [contact our Support team](https://support.vtex.com/hc/en-us/requests" target="_blank). The new __Collections (Beta)__ module allows you to create and manage collections in a practical and quick way. @@ -86,27 +85,25 @@ Selecting products through the VTEX Admin can be made using the product list, se There are many filters that can be selected to reduce the number of products displayed on the list. -![Collections-EN](https://images.ctfassets.net/alneenqid6w5/7j4kfkpKZfrc6QwVNjrV6Z/5d19956173c19af3e823eec2b24869f3/Screenshot_2020-08-28_Collections.png) +![Collections-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-0.png) You can create new filters based on other criteria not covered by the predetermined filters. The images below show a few examples of these options: -![Novo filtro - EN](https://images.ctfassets.net/alneenqid6w5/5CBl4UWLGKo9sf5CqoOIRD/4b679fbc6cfd2242327c9d6df77e555c/novo_filtro_-en.PNG) +![Novo filtro - EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-1.PNG) -![Filtro Colecao detalhes - EN](https://images.ctfassets.net/alneenqid6w5/7E4dl1gucqIaCUMGEfZIK1/ce198baa55d995431c3cc77efb799920/Filtro_Colecao_detalhes_-_EN.png) +![Filtro Colecao detalhes - EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-2.png) To add a product to a collection, click on the icon related to the product, thereby saving it in the collection automatically. For more information about the item, click on the icon to open the product page or click on the image to enlarge it. -![EN-colecao-adicionar](https://images.ctfassets.net/alneenqid6w5/4pb2cOOWDwe4g5ToGz0kvp/fbc71e22012ce56237470c4edfc7975e/EN-colecao-adicionar.gif) +![EN-colecao-adicionar](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-3.gif) If you want to add in bulk, apply one of the filters and click on the `Add All` button. It is worth noting that the product must have at least one existing SKU to be included in a collection. -![EN-colecao-adicionar-todos](https://images.ctfassets.net/alneenqid6w5/3Ftzj2gJy9qIskElyIE6u/f638b1ae74f9d545fe74ea8c15cec9f8/EN-colecao-adicionar-todos.png) +![EN-colecao-adicionar-todos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-4.png) -
    -

    Do not bulk add more than 150,000 products. This may affect the indexing of the Catalog and the operation of your store. -

    +>❗

    Do not bulk add more than 150,000 products. This may affect the indexing of the Catalog and the operation of your store. #### By spreadsheet @@ -117,14 +114,12 @@ You can also add items to a collection using a spreadsheet by following the step 1. In your collection's dashboard, click on the `Import` button. 2. Click on the **Include products in collection** option. 3. Click on the `Import` button. - 4. Click on `Download Template` to have the correct spreadsheet template as the example below: ![colecao-planilha-EN](https://images.ctfassets.net/alneenqid6w5/6liweo59r1TKnt8wWyELwN/8416f5bccd00dd42b5d326ba7cafca70/colecao-planilha.png) + 4. Click on `Download Template` to have the correct spreadsheet template as the example below: ![colecao-planilha-EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-5.png) 5. Fill in the spreadsheet with the Product IDs, RefIDs, or SKUs. Add a single ID on each line. Regardless of which ID you fill in, all SKUs for the selected product will be added to the collection after import. 6. After filling out the spreadsheet, save the changes, and import the document into the VTEX Admin. You can drop the file in the indicated area or click on **Choose a file**. Files in CSV or XML format are accepted. 7. To finish, click on `Import`. -

    -

    The spreadsheet can contain up to 10,000 rows. However, in stores with a large catalog, we recommend including a maximum of 50 rows at a time to ensure the import works correctly.

    -
    + >⚠️ The spreadsheet can contain up to 10,000 rows. However, in stores with a large catalog, we recommend including a maximum of 50 rows at a time to ensure the import works correctly. ### Product removal @@ -134,17 +129,15 @@ Products can be removed either by selecting items from the __Collections__ modul To remove an item from the collection, simply click on the product's . -![EN-coleao-remover](https://images.ctfassets.net/alneenqid6w5/58uEn8gQKd7lr6KVqz0TTq/eb982d2665fc13dccb9e2beb08bebc0b/EN-colecao-remover.gif) +![EN-coleao-remover](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-6.gif) If you wish to remove in bulk, apply one of the filters and click on the `Remove All` button. -![EN-colecao-remover-todos](https://images.ctfassets.net/alneenqid6w5/5KE4KYqKWTAT2S5kqwpiKv/28e9b2b7a12e0a51d676a6af810c194a/EN-colecao-remover-todos.png) +![EN-colecao-remover-todos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-7.png) You can also click on the button (**Products in this collection**) in the top bar and then click `Remove All`. -
    -

    Do not bulk remove more than 150,000 products. This may affect the indexing of the Catalog and the operation of your store. -

    +>❗

    Do not bulk remove more than 150,000 products. This may affect the indexing of the Catalog and the operation of your store. #### By spreadsheet @@ -165,13 +158,11 @@ To change your collection's order, follow the steps below: a. Click on the icon, drag the item and release it on the desired position. -

    -

    You cannot use this option if a filter is active.

    -
    + >ℹ️ You cannot use this option if a filter is active. b. Select the box of products you wish to change and click on `Move to Position`. Enter the number of the new position and click on `Move` to complete the change. These options allows you to rearrange items in bulk. -![EN-mover-colecao](https://images.ctfassets.net/alneenqid6w5/4YOgWuUHzotJ2MOcFkQYFr/92212011dad70b167ae2d2d7c4a0baf6/EN-mover-colecao.png) +![EN-mover-colecao](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/creating-collections-beta-8.png) ### Export collection spreadsheet diff --git a/docs/tutorials/en/creating-synonyms.md b/docs/tutorials/en/creating-synonyms.md index 79723fdee..b2ac2b624 100644 --- a/docs/tutorials/en/creating-synonyms.md +++ b/docs/tutorials/en/creating-synonyms.md @@ -21,9 +21,7 @@ There are two ways to set up synonyms in VTEX Admin: [individually](#creating-sy The configuration of synonyms works recursively. This means that when you add a second synonym to an existing one, it will also become a synonym for the first one. - +>ℹ️ Synonyms should not be used to resolve misspellings, plural and singular errors, or even pronouns, articles, and propositions in the search terms. On all these points, VTEX Intelligent Search is able to interpret, learn and solve them automatically through algorithms. ## Creating synonyms individually diff --git a/docs/tutorials/en/creating-the-category-tree.md b/docs/tutorials/en/creating-the-category-tree.md index e6cf9671c..eada16af2 100644 --- a/docs/tutorials/en/creating-the-category-tree.md +++ b/docs/tutorials/en/creating-the-category-tree.md @@ -19,4 +19,4 @@ The category tree is the relation of categories that will be used in your stor [The definition of your category tree](http://help.vtex.com/tutorial/cadastrando-categoria/ "The definition of your category tree") must be made in the beginning of your project and must be well planed, considering your product catalogue and SEO. _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/creating-users.md b/docs/tutorials/en/creating-users.md index 90044d836..b605ede22 100644 --- a/docs/tutorials/en/creating-users.md +++ b/docs/tutorials/en/creating-users.md @@ -22,5 +22,5 @@ For that, they need to [access their License Manager and associate users](/tutor The video below shows all of the steps for this configuration. _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/creating-your-promotions.md b/docs/tutorials/en/creating-your-promotions.md index a5777ca5b..9e711a78a 100644 --- a/docs/tutorials/en/creating-your-promotions.md +++ b/docs/tutorials/en/creating-your-promotions.md @@ -18,5 +18,5 @@ subcategory: 1yTYB5p4b6iwMsUg8uieyq [Creating promotions](/topic/promocoes-cupons/ "Creating promotions") is not a required step to make your store live, but it’s largely used by VTEX stores, so it’s in our recommended first steps. Take the time to configure a launch promotion. 😋 _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/customizing-your-stores-typography.md b/docs/tutorials/en/customizing-your-stores-typography.md index 791974451..461478e5a 100644 --- a/docs/tutorials/en/customizing-your-stores-typography.md +++ b/docs/tutorials/en/customizing-your-stores-typography.md @@ -3,8 +3,8 @@ title: 'Customizing your store’s typography' id: 2R0ByIjvJtuz99RK3OL5WP status: PUBLISHED createdAt: 2022-01-17T20:32:00.917Z -updatedAt: 2023-03-28T12:13:42.484Z -publishedAt: 2023-03-28T12:13:42.484Z +updatedAt: 2024-09-03T16:02:42.101Z +publishedAt: 2024-09-03T16:02:42.101Z firstPublishedAt: 2022-01-17T21:12:52.262Z contentType: tutorial productTeam: VTEX IO @@ -15,72 +15,69 @@ legacySlug: customizing-your-stores-typography subcategory: 5HsDDU48ZP58JHWU3WbCPc --- -The typography of your store website is a tool to communicate your brand identity to your clients. -In the Admin, you have the flexibility to customize your store’s typography to suit to your business needs. +The typography of your online store is a tool for showing your brand identity to your customers. +In the Admin, you have the flexibility to customize your store's typography to meet your business needs. ->⚠️ Keep in mind that changes to your store typography in the **Storefront** overwrite the typography changes made in your store code. Please contact your development team and make sure the changes will be done in the Storefront or through your store's code. +>⚠️ Keep in mind that changes made to your store's typography in the **Storefront** override typography changes made in the store's code. Please contact your development team and make sure that these changes will be set in the Storefront or in your store's code. ## Adding custom font families -1. In the VTEX Admin, access **Storefront > Styles**. +1. In the VTEX Admin, go to **Storefront > Styles**. + 2. Select the kebab menu icon (three dots). -![Styles - More Options](https://images.ctfassets.net/alneenqid6w5/7qhmfxaMzZ8Aw0F6mygs2i/3bc40e3e3a439475b4f0998a3af56854/styles-two-en.png) +3. Click **Edit > Typography > Font family**. -3. Click **Edit > Typography > Font Family**. +4. Click **Add custom font**. -4. Then, click **Add custom font** and upload the desired font file. In the **Font Family** input field, enter a name for the font. +5. In the **Font family** field, create a name for the font. ->⚠️ The font family file must be uploaded in the following file extensions: .ttf or .woff. + ![familia-de-fontes-giff-en](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/customizing-your-stores-typography-0.gif) -5. Click `Save` to save your changes. +6. Click **Upload** to upload the desired font file. -## Changing the font style +>⚠️ The font family file must have one of the following extensions: .ttf or .woff. -After adding new font families, you can apply them to your store’s text content. However, before completing the steps for changing the font style of your store, you need to be familiar with **Type Tokens**. +7. Once the files have been uploaded, choose a font style. The accepted values are: `Thin`, `Extra Light`, `Light`, `Regular`, `Medium`, `Bold`, `Extra Bold`, `Black`, `Thin Italic`, `Extra Light Italic`, `Light Italic`, `Regular Italic`, `Medium Italic`, `Bold Italic`, `Extra Bold Italic` and `Black Italic`. -Refer to the section [Type tokens](#type-tokens) for more information about them, and then check out the steps for changing the font style. +8. Click `Save`. -### Step-by-step +## Configuring type tokens -1. In the VTEX Admin, access **Storefront > Styles**. -2. Select the kebab menu icon (three dots). -3. Click on **Edit > Typography > Type Tokens**. +After adding new font families, you can apply them to your store's text content using **Type tokens**. -![Styles - Type tokens EN](https://images.ctfassets.net/alneenqid6w5/6kw7SMB36fZsS0SKX00Kss/dbb378f7b8e11fa1217276626dd6f008/styles-three-en.gif) +The **Type tokens** option displays all customizable text content in your store. Here's what you can customize using type tokens: -4. Choose the type token you want to customize, for example, **Heading 1**, and click it. +- **Headings:** These are the first elements that users read and give information most efficiently, using no more than the necessary number of words. There are six headings. `Heading 1` is the most prominent heading style, and `Heading 6` is the least one. -5. Then, choose which property of the type token you want to customize: +- **Body:** This is the text style designed to improve paragraph readability by adding spacing between the lines. There is one type of body. -| Property | Description | Value available | -| ----------- | --------------- | ----------------- | -| __Font Family__ | Sets the font type of a type token. | `JosefinSans`, `Bold`, `Default` | -| __Font Weight__ | Sets how thick or thin characters in the type token should be displayed. | `Thin`, `Extra Light`, `Light`, `Normal`, `Medium`, `Semi Bold`, `Bold`, `Extra Bold`, `Black`. | -| __Font Size__ | Sets the font size of a type token. | `48px`, `36px`, `24px`, `20px`, `16px`, `14px`, `12px`, | -| __Text transform__ | Sets the capitalization of the type token. | `Initial`, `None`, `Capitalize`, `Uppercase`, `Lowercase`, | -| __Letter Spacing__ | Sets the space between characters in a type token. | `Normal`, `Tracked`, `Tracked Tight`, `Tracked Mega`, `Zero` | +- **Auxiliary small/mini:** These are secondary elements of an interface, such as subtitles and badge text. There are two types of auxiliary text: small and mini. -6. After completing the changes in the type token, click `Save`, which will display the changes in your live store. +- **Action:** This is the text style used in the main action of the page and for interactive elements, such as call to action (CTA), buttons, and tabs. There are three types: `Action`, `Action Small`, and `Action Large`. -### Type tokens +- **Code:** This is the text style used to indicate technical terms, such as programming languages, shipping estimates, and installment rules. -The **Type Tokens** option displays all your store’s customizable text content. +Follow the instructions below to configure type tokens: -See what you can customize using the type tokens: +1. In the VTEX Admin, go to **Storefront > Styles**. + +2. Select the kebab menu icon (three dots). -- **Headings** -These are the first elements that users read and give information most efficiently, using no more than the necessary number of words. There are six headings, `Heading 1` being the most prominent heading style and `Heading 6` the least prominent one. +3. Click **Edit > Typography > Type tokens**. -- **Body** -The body is the text style defined to achieve paragraph legibility by adding height between the lines. There is one type of body. + ![tokens-tipo-giff-en](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/customizing-your-stores-typography-1.gif) -- **Auxiliary (Small and mini)** -These are the secondary elements of an interface, such as captions and text on badges. There are two types of auxiliaries: Small and mini. +4. Choose the token you want to customize, such as **Heading 1**, and click it. -- **Action** -Action is the text style used on the page’s main action and interactive elements, such as the call to action (CTA), buttons, and tabs. There are three types: `Action`, `Action Small` and `Action Large`. +5. Then customize each property according to the table below: -- **Code** -Code is the text style used to indicate technical terms, such as programming language, shipping estimate, and installment rules. There is one type of code. + | Property | Description | Available values | + | ----------- | --------------- | ----------------- | + | __Font Family__ | Sets the font type of a type token. | `JosefinSans`, `Bold`, `Default` | + | __Font Weight__ | Sets how thick or thin the token characters should be displayed. | `Thin`, `Extra Light`, `Light`, `Normal`, `Medium`, `Semi Bold`, `Bold`, `Extra Bold`, `Black`. | + | __Font Size__ | Sets the font size of a type token. | `48px`, `36px`, `24px`, `20px`, `16px`, `14px`, `12px`, | + | __Text Transform__ | Sets the use of capital letters in the type token. | `Initial`, `None`, `Capitalize`, `Uppercase`, `Lowercase`, | + | __Letter Spacing__ | Sets the space between characters in a type token. | `Normal`, `Tracked`, `Tracked Tight`, `Tracked Mega`, `Zero` | +6. Click `Save`. diff --git a/docs/tutorials/en/deadline-indicators.md b/docs/tutorials/en/deadline-indicators.md index 6102f6568..49618af98 100644 --- a/docs/tutorials/en/deadline-indicators.md +++ b/docs/tutorials/en/deadline-indicators.md @@ -15,4 +15,4 @@ legacySlug: deadline-indicators subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/defining-product-prices.md b/docs/tutorials/en/defining-product-prices.md index af31d9fd6..21f575044 100644 --- a/docs/tutorials/en/defining-product-prices.md +++ b/docs/tutorials/en/defining-product-prices.md @@ -18,5 +18,5 @@ subcategory: 4id9W3RDyw02CasOm2C2iy With the products already registered, now it's time to define their sales price. They can be limited by UTMs or even have start and end dates. _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/defining-window-displays.md b/docs/tutorials/en/defining-window-displays.md index cd9ea4d9b..f927ef0f3 100644 --- a/docs/tutorials/en/defining-window-displays.md +++ b/docs/tutorials/en/defining-window-displays.md @@ -15,9 +15,7 @@ legacySlug: defining-window-displays subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. Window displays are used to highlight products on different pages, or for recommendations on a product page. @@ -27,25 +25,25 @@ After defining this, link the collection to the window display in **Storefront > In the example below, we will define a window display on the home page, and to do so the following layout has to be changed: -![cms_layout_home ](https://images.ctfassets.net/alneenqid6w5/36BJckeyOAIYeEm8sOwQO0/e7a24fbbfe861550445a9f18dee77954/cms_layout_home.png) +![cms_layout_home ](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-0.png) In the selected layout, add the control for the window display where you want to display the collection by clicking on **Add Object** After selecting the type of control you want, set its name and click **Adicionar** (Add) __Do not forget to click on the "Save Settings" button so that you can later edit the created control.__ -![ed](https://images.ctfassets.net/alneenqid6w5/21omKZNVc8QaWSw6K4akEQ/70105f086510d2eec6bfb3862a9979f5/save_settings_cms.png) +![ed](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-1.png) ### Editing created control To edit your controls, click on the **pencil symbol**, as shown in the example image below: -![banner_edit_cms](https://images.ctfassets.net/alneenqid6w5/5eOuIai1zGGWOKI4OmoMOQ/5ff1b51e63a08d6d265a1e053999a369/banner_edit_cms.png) +![banner_edit_cms](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-2.png) When you editing the control you must add its contents by clicking **Add content**, which represent each set of items to be displayed. -![cadastro_conteudo_cms ](https://images.ctfassets.net/alneenqid6w5/TWIydQxL2M4WsEiccmI2A/f8ff28eafb9dde3e01926b899262f519/cadastro_de_conteudo_1.png) -![cadastro_conteudo_cms 2](https://images.ctfassets.net/alneenqid6w5/6Q0ZTbWIBUeu2uSY8w2mMs/5fb5a636e8781881b47237714571ee1c/cadastro_de_conteudo_2.png) +![cadastro_conteudo_cms ](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-3.png) +![cadastro_conteudo_cms 2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-4.png) - **"Adicionar arquivo" (add file):** to select the collection that will be displayed in this content. - **Partner / Campaign / Source:** defines the display of this content if the visitor has a corresponding UTM in its source URL. @@ -61,7 +59,7 @@ Check **Active Content** box and click on **Add content list**. Do not forget to If it is necessary to update the created content after saving it, just click on the second pencil symbol as shown below: -![edit_content_cms](https://images.ctfassets.net/alneenqid6w5/3m9TM8vkEU0UmkueoEYIM8/89b2385f1e14978383b9d4fd0ecfd129/edi_content.png) +![edit_content_cms](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/defining-window-displays-5.png) Click **Update Content List** after all changes were made and clicking on **Save Settings** afterwards. diff --git a/docs/tutorials/en/deliveries-progress-vtex-shipping-network.md b/docs/tutorials/en/deliveries-progress-vtex-shipping-network.md index 76eaadfe3..d67fe117e 100644 --- a/docs/tutorials/en/deliveries-progress-vtex-shipping-network.md +++ b/docs/tutorials/en/deliveries-progress-vtex-shipping-network.md @@ -15,4 +15,4 @@ legacySlug: deliveries-progress-vtex-log subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ The VTEX Shipping Network solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/disputes-faq.md b/docs/tutorials/en/disputes-faq.md index fb00ffe15..6f085e20b 100644 --- a/docs/tutorials/en/disputes-faq.md +++ b/docs/tutorials/en/disputes-faq.md @@ -15,4 +15,4 @@ legacySlug: disputes-faq subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/divergence-errors-between-vtex-and-amazon-catalogs-matching.md b/docs/tutorials/en/divergence-errors-between-vtex-and-amazon-catalogs-matching.md index 13cd2e178..23616c144 100644 --- a/docs/tutorials/en/divergence-errors-between-vtex-and-amazon-catalogs-matching.md +++ b/docs/tutorials/en/divergence-errors-between-vtex-and-amazon-catalogs-matching.md @@ -15,4 +15,4 @@ legacySlug: divergence-errors-between-vtex-and-amazon-catalogs-matching subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/enable-https-throughout-the-site.md b/docs/tutorials/en/enable-https-throughout-the-site.md index a374af153..88bc5c0a2 100644 --- a/docs/tutorials/en/enable-https-throughout-the-site.md +++ b/docs/tutorials/en/enable-https-throughout-the-site.md @@ -39,7 +39,7 @@ These HTTP requests are:: references to images, CSS files, JS and any resource t - Calling a script with the following snippet would result in problems: `` - The correct implementation would be: `` -- You can also use the relative protocol, in order to follow the same one in which the page is accessed: `` +- You can also use the relative protocol, in order to follow the same one in which the page is accessed: `` - For files hosted on VTEX the following format must always be used, which relates to the protocol and to the domain accessed: `` **Caution:** to call external routes to VTEX, first check whether the destination supports HTTPS. diff --git a/docs/tutorials/en/errors-in-the-category-and-attribute-mapping-worksheet.md b/docs/tutorials/en/errors-in-the-category-and-attribute-mapping-worksheet.md index 2baf17588..5e5b1589f 100644 --- a/docs/tutorials/en/errors-in-the-category-and-attribute-mapping-worksheet.md +++ b/docs/tutorials/en/errors-in-the-category-and-attribute-mapping-worksheet.md @@ -15,4 +15,4 @@ legacySlug: errors-in-the-category-and-attribute-mapping-worksheet subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/en/facilitating-b2b-store-operation.md b/docs/tutorials/en/facilitating-b2b-store-operation.md index 9a898ec9c..51466fbc6 100644 --- a/docs/tutorials/en/facilitating-b2b-store-operation.md +++ b/docs/tutorials/en/facilitating-b2b-store-operation.md @@ -17,7 +17,7 @@ subcategory: 2LrbEY7MFeKqmdfYLBCnfi You can facilitate the operation of your store by installing applications to solve business issues related to store usability, sales, and after-sales. -
    The following apps can be installed through the VTEX App Store or VTEX IO.
    +>ℹ️ The following apps can be installed through the [VTEX App Store](https://apps.vtex.com/) or [VTEX IO](https://vtex.io/). ## Usability tools | Tool | Use | @@ -51,13 +51,13 @@ For example, suppose that a product costs US$ 100 per unit, and the product's pr This is a resource that meets the needs of wholesale businesses. Currently, there are three ways to establish a fixed price at VTEX. See all the methods in our article [how to register fixed prices](https://help.vtex.com/en/tracks/precos-101--6f8pwCns3PJHqMvQSugNfP/3g39iXkQza4AW7C7L814mj ""). -
    Before you keep going on your reading, check our article about the most used promotions for the B2B context.
    +>ℹ️ Before you keep going on your reading, check our article about [the most used promotions for the B2B context](https://help.vtex.com/es/tutorial/as-promocoes-mais-comuns-em-b2b--XoM951AzUIvfaH71UdANf?&utm_source=autocomplete). ### Product kits In VTEX, all stores have the [product kit](https://help.vtex.com/en/tutorial/kit-registration?locale=en "") feature, which allows you to sell a set of items for a specific price. -
    In B2B, the product kit is often referred to as "bundle." The terms "product kit" and "bundle" refer to the same tool.
    +>ℹ️ In B2B, the product kit is often referred to as "bundle." The terms "product kit" and "bundle" refer to the same tool. To [add a product kit](https://help.vtex.com/en/tutorial/cadastrando-kit/ "") to your store, check the documentation in our Help Center. @@ -91,7 +91,7 @@ All VTEX stores have the [My account](https://help.vtex.com/en/tutorial/como-fun This tool allows you to monitor the order status in the after-sales flow and carry out operations such as: “Order again”, which allows placing the same order again. -![Order again](https://images.ctfassets.net/alneenqid6w5/1t7B2SNKQ9aJZ4gFE03ViD/8ba194685df6e2374b7e287fb0ed59bc/image.png) +![Order again](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/facilitating-b2b-store-operation-0.png) For more details on “My Account,” check out the tutorial on [how to configure this feature](https://help.vtex.com/en/tutorial/configurar-o-my-account--23Ayv5D6b86UBnYfoXqZL1 ""). diff --git a/docs/tutorials/en/filling-out-collection-registration-fields.md b/docs/tutorials/en/filling-out-collection-registration-fields.md index ef0f36e54..0aca0724c 100644 --- a/docs/tutorials/en/filling-out-collection-registration-fields.md +++ b/docs/tutorials/en/filling-out-collection-registration-fields.md @@ -15,9 +15,7 @@ legacySlug: filling-out-Collection-registration-fields subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. To better understand the meaning of the registration fields of a product collection, check out the full description of each one below: diff --git a/docs/tutorials/en/fulfillment-magalu.md b/docs/tutorials/en/fulfillment-magalu.md index f0b0ba82f..16f67ba32 100644 --- a/docs/tutorials/en/fulfillment-magalu.md +++ b/docs/tutorials/en/fulfillment-magalu.md @@ -15,4 +15,4 @@ legacySlug: fulfillment-magalu subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/how-and-when-do-i-receive-my-invoice.md b/docs/tutorials/en/how-and-when-do-i-receive-my-invoice.md index fc0753e5c..387aec38a 100644 --- a/docs/tutorials/en/how-and-when-do-i-receive-my-invoice.md +++ b/docs/tutorials/en/how-and-when-do-i-receive-my-invoice.md @@ -15,7 +15,7 @@ legacySlug: how-and-when-do-i-receive-my-invoice subcategory: 5ZfsNR4ioEsIyu6wkyce0M --- - +>⚠️

    This procedure only applies to customers billed in **Brazil.** The billing is triggered until the 5th business day of the month. Invoice and *boleto* (Brazilian offline payment method) are available on the __Billing__ module in the Admin of your store. diff --git a/docs/tutorials/en/how-can-i-track-the-status-of-my-disputes.md b/docs/tutorials/en/how-can-i-track-the-status-of-my-disputes.md index ed6f221e1..e65bf2ba7 100644 --- a/docs/tutorials/en/how-can-i-track-the-status-of-my-disputes.md +++ b/docs/tutorials/en/how-can-i-track-the-status-of-my-disputes.md @@ -15,4 +15,4 @@ legacySlug: how-can-i-track-the-status-of-my-disputes subcategory: 204Hz794zvcUIJXLcShY43 --- -

    +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/how-do-i-request-a-duplicate-of-my-boleto.md b/docs/tutorials/en/how-do-i-request-a-duplicate-of-my-boleto.md index d12a07d2b..014a372a3 100644 --- a/docs/tutorials/en/how-do-i-request-a-duplicate-of-my-boleto.md +++ b/docs/tutorials/en/how-do-i-request-a-duplicate-of-my-boleto.md @@ -15,7 +15,7 @@ legacySlug: how-do-i-request-a-duplicate-of-my-boleto subcategory: 5ZfsNR4ioEsIyu6wkyce0M --- - +>ℹ️ **WARNING: This procedure is only for customers billed in Brazil.** In the Billing module, you can check all invoices issued by VTEX and update your "boleto" (Brazilian off-line payment method) to pay it after the due date. If you are unable to access this area, make sure that you have the [financial role](https://help.vtex.com/tutorial/como-criar-um-perfil-de-acesso-financeiro--717qPtxW3Cy9n5KrReHeVv). diff --git a/docs/tutorials/en/how-does-reservation-work.md b/docs/tutorials/en/how-does-reservation-work.md index bf1a8f7f9..a56a740cf 100644 --- a/docs/tutorials/en/how-does-reservation-work.md +++ b/docs/tutorials/en/how-does-reservation-work.md @@ -3,8 +3,8 @@ title: 'How the reservation works' id: tutorials_92 status: PUBLISHED createdAt: 2017-04-27T22:19:56.753Z -updatedAt: 2023-10-18T17:20:21.911Z -publishedAt: 2023-10-18T17:20:21.911Z +updatedAt: 2024-09-03T17:29:38.830Z +publishedAt: 2024-09-03T17:29:38.830Z firstPublishedAt: 2017-04-27T23:00:42.751Z contentType: tutorial productTeam: Post-purchase @@ -45,7 +45,7 @@ _Payment expiration period + inventory reservation period_ - **five calendar days:** when the payment is due on a Wednesday, Thursday or Friday. - **six calendar days:** when the payment is due on a Saturday. ->❗ Incomplete orders have a fixed reservation period of 11 calendar days. To learn more, please refer to the article [How incomplete orders work.](https://help.vtex.com/en/tutorial/understanding-incomplete-orders--tutorials_294) +>❗ Incomplete orders can have a reservation period of 11 calendar days. To learn more, please refer to the article [How incomplete orders work.](https://help.vtex.com/en/tutorial/understanding-incomplete-orders--tutorials_294) For an external marketplace, if the reservation period is sent by the `lockTTL` field, the reservation will not be calculated by VTEX platform but determined by the period in the field. This can be done using the [Place order](https://developers.vtex.com/docs/api-reference/checkout-api#put-/api/checkout/pub/orders) endpoint. diff --git a/docs/tutorials/en/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md b/docs/tutorials/en/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md index fab1e1453..4abe02b89 100644 --- a/docs/tutorials/en/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md +++ b/docs/tutorials/en/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md @@ -15,5 +15,5 @@ legacySlug: how-long-does-it-take-to-cancel-an-order-with-an-unpaid-bank-payment subcategory: 3Gdgj9qfu8mO0c0S4Ukmsu --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/how-mercado-livre-integration-works.md b/docs/tutorials/en/how-mercado-livre-integration-works.md index 2c1a55a70..22534c4ff 100644 --- a/docs/tutorials/en/how-mercado-livre-integration-works.md +++ b/docs/tutorials/en/how-mercado-livre-integration-works.md @@ -15,4 +15,4 @@ legacySlug: how-mercado-livre-integration-works subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/how-the-skyhub-integration-works.md b/docs/tutorials/en/how-the-skyhub-integration-works.md index 6beb70e44..d663ad610 100644 --- a/docs/tutorials/en/how-the-skyhub-integration-works.md +++ b/docs/tutorials/en/how-the-skyhub-integration-works.md @@ -15,5 +15,5 @@ legacySlug: how-the-skyhub-integration-works subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/how-to-activate-the-shareable-cart-app.md b/docs/tutorials/en/how-to-activate-the-shareable-cart-app.md index e0ab0bd52..45fddfa4d 100644 --- a/docs/tutorials/en/how-to-activate-the-shareable-cart-app.md +++ b/docs/tutorials/en/how-to-activate-the-shareable-cart-app.md @@ -17,7 +17,7 @@ subcategory: The [Shareable Cart](https://apps.vtex.com/vtex-social-selling/p) app allows sales assistants to select products for their customers and share the cart through channels such as WhatsApp, Facebook Messenger and email. -![Shareable Cart Demo](https://images.ctfassets.net/alneenqid6w5/sf2zbYOG7janUXWbgkajd/93aa5f4ea002c5877a9620722af67890/Jy98kJ.gif) +![Shareable Cart Demo](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-activate-the-shareable-cart-app-0.gif) This article explains how to install the app and configure this functionality in your store. After completing the activation steps, your sales assistants will be able to [follow the instructions](https://help.vtex.com/en/tutorial/como-usar-o-app-carrinho-compartilhavel--3ePPpkmeZ96GXbeIoGZbTN) to start your Social Selling strategies. @@ -33,7 +33,7 @@ To install the app in your store, follow the steps below: After you complete these steps, the app will be installed on the account you entered. The next step is to review the app's settings to adjust it to meet your store's needs. - +>⚠️ Your account name is the identifier used to access your Admin. You must replace the {accountName} with it in the link `https://{accountName}.myvtex.com/admin` ## Configuration @@ -63,7 +63,7 @@ The field in which the salesperson code will be inserted depends on the store ne If both options are selected, the sales assistant needs to indicate which field he is filling in the cart sharing interface. - +>ℹ️ The added information can be found on the **Promotions and Partnerships card** in the [orders details](https://help.vtex.com/en/tracks/pedidos--2xkTisx4SXOWXQel8Jg8sa/204AjAQseJe8RLUi8GAhiC?locale=pt" target="_blank) or within the `marketingData` object returned when obtaining the order information using the [Orders API](https://developers.vtex.com/reference/orders#getorder). ### Channels @@ -76,7 +76,7 @@ This setting allows you to activate the desired sharing channels in the cart sha - Gmail - Email - +>⚠️ Sales assistants will need to log in to the social media accounts and applications used for sharing on the device they use to add items to the cart. ## Customization (optional) @@ -84,11 +84,11 @@ You can change the button colors on your store's cart sharing interface through In the image below, option A shows the original colors and option B shows one possible customization. -![shareable-cart-ui-customization](https://images.ctfassets.net/alneenqid6w5/7qzGILGsBqu6sD2n052VQl/ba27c3afc9c744907ac707f10658e8e1/shareable-cart-ui-customization.png) +![shareable-cart-ui-customization](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-activate-the-shareable-cart-app-1.png) The code below must be added at the end of the `checkout5-custom.css` or `checkout6-custom.css` file, available for customization in *Store Settings > Checkout > Code*. The file that should be edited depends on the version of the Checkout used by your store. - +>❗ **Warning:** Errors in the checkout customization can break your customers’ purchase flow. If you do not understand the code below, ask your technical team for help. Then change the properties in the CSS code according to your needs. @@ -230,7 +230,7 @@ See some possibilities in the table below. We recommend that the store's technic - +>ℹ️ In Scenario 4 it is necessary to [generate coupons in bulk](https://help.vtex.com/en/tutorial/how-to-generate-massive-coupons--frequentlyAskedQuestions_348), so that each sales assistant has their own coupon for identification and discount activation. ### Who fills in personal details and addresses, sales assistants or customers? diff --git a/docs/tutorials/en/how-to-check-your-financial-transaction-details.md b/docs/tutorials/en/how-to-check-your-financial-transaction-details.md index eb17b6beb..82798365a 100644 --- a/docs/tutorials/en/how-to-check-your-financial-transaction-details.md +++ b/docs/tutorials/en/how-to-check-your-financial-transaction-details.md @@ -15,4 +15,4 @@ legacySlug: how-to-check-your-financial-transaction-details subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/how-to-check-your-statement.md b/docs/tutorials/en/how-to-check-your-statement.md index 4e2f6e24a..f90865bd2 100644 --- a/docs/tutorials/en/how-to-check-your-statement.md +++ b/docs/tutorials/en/how-to-check-your-statement.md @@ -15,4 +15,4 @@ legacySlug: how-to-check-your-statement subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/how-to-configure-the-caixa-virtual-debit-card.md b/docs/tutorials/en/how-to-configure-the-caixa-virtual-debit-card.md index f43076670..c045cc152 100644 --- a/docs/tutorials/en/how-to-configure-the-caixa-virtual-debit-card.md +++ b/docs/tutorials/en/how-to-configure-the-caixa-virtual-debit-card.md @@ -15,4 +15,4 @@ legacySlug: how-to-configure-the-caixa-virtual-debit-card subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Only applicable to the Brazilian market. diff --git a/docs/tutorials/en/how-to-delete-a-collection.md b/docs/tutorials/en/how-to-delete-a-collection.md index 72bf01ead..362773bd1 100644 --- a/docs/tutorials/en/how-to-delete-a-collection.md +++ b/docs/tutorials/en/how-to-delete-a-collection.md @@ -15,9 +15,7 @@ legacySlug: how-to-delete-a-collection subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module. This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module. This article is about how to configure collections through the CMS. ## Via Admin You can not delete a collection altogether via Admin. diff --git a/docs/tutorials/en/how-to-identify-promotions-attributed-to-an-sku.md b/docs/tutorials/en/how-to-identify-promotions-attributed-to-an-sku.md index bd4dd8ca8..11fffdd16 100644 --- a/docs/tutorials/en/how-to-identify-promotions-attributed-to-an-sku.md +++ b/docs/tutorials/en/how-to-identify-promotions-attributed-to-an-sku.md @@ -15,21 +15,19 @@ legacySlug: how-to-identify-promotions-attributed-to-an-sku subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ The steps described in this article use Google Chrome. Since this tool is not part of VTEX, it may be updated without notice. We have written this article in response to a frequent query from users of the VTEX platform: what is the reason for a promotion to be applied to an SKU when apparently it should not be? To find out what promotions are being attributed to an SKU, we have to analyze its `priceTags`. 1. Go to the product shopping cart. -2. In Google Chrome, go to **Developer Tools** (`Ctrl+Shift+I`).![ferramentas-do-desenvolvedor](https://images.contentful.com/alneenqid6w5/3NBGEPjXEkkSqA2WOYs8us/5219ffe6515a120ac0e6d489c78e5820/ferramentas-do-desenvolvedor.png) -3. Select the tab **Network** and press `F5` to record the reload.![network-f5](https://images.contentful.com/alneenqid6w5/1TZRay17qkEO8As8w0MKOS/f4d88d06f2a3fd656aa41e3809f35d45/network-f5.png) -4. After loading, press `Ctrl+F` to search in the Developer Tools window, and look for “orderform”. ![order-form](https://images.contentful.com/alneenqid6w5/jtqrcUjDAAqoMUGiYM4qE/94803953c1577a7954ba09f163738e0e/order-form.png) -5. Click on `orderform` and go to `items` After clicking on `items`, click on the numbers (`0`, `1`, `2` etc.) to see the details of the product you want. In our example, since there is only one item, it is represented by the number `0` in the array.![items-0](https://images.contentful.com/alneenqid6w5/DUtSiCdnrwSmoKqqYW8E6/ec7335a0c9308b17b9d8aa2274057220/items-0.png) -6. After clicking on the  number, scroll down to `priceTags` Click on `priceTags` and then on the numbers (`0`, `1`, `2` etc.) to see the details of the promotion you want. In our example, since there is only one promotion, it is represented by the number `0` in the array. After this, look for the `identifier` of the promotion.![priceTags-0-identifier](https://images.contentful.com/alneenqid6w5/5MCOrSJPaMSYQcimY8CKos/ca8960a1a98f680406daf7879d241987/priceTags-0-identifier.png) -7. Open another tab, and go to URL `https://{accountName}.vtexcommercestable.com.br/admin/rnb/#/benefit/{identifier}`. This is the promotion that is being applied to the product in the cart. Check the configurations of the promotion and see whether the conditions apply to the SKU in question.![promo-debug-help](https://images.contentful.com/alneenqid6w5/5G2eJ4AilySK0o8ugaOMq4/b4dba231e9812906a45af5a4432d9783/promo-debug-help.png) +2. In Google Chrome, go to **Developer Tools** (`Ctrl+Shift+I`).![ferramentas-do-desenvolvedor](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-0.png) +3. Select the tab **Network** and press `F5` to record the reload.![network-f5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-1.png) +4. After loading, press `Ctrl+F` to search in the Developer Tools window, and look for “orderform”. ![order-form](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-2.png) +5. Click on `orderform` and go to `items` After clicking on `items`, click on the numbers (`0`, `1`, `2` etc.) to see the details of the product you want. In our example, since there is only one item, it is represented by the number `0` in the array.![items-0](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-3.png) +6. After clicking on the  number, scroll down to `priceTags` Click on `priceTags` and then on the numbers (`0`, `1`, `2` etc.) to see the details of the promotion you want. In our example, since there is only one promotion, it is represented by the number `0` in the array. After this, look for the `identifier` of the promotion.![priceTags-0-identifier](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-4.png) +7. Open another tab, and go to URL `https://{accountName}.vtexcommercestable.com.br/admin/rnb/#/benefit/{identifier}`. This is the promotion that is being applied to the product in the cart. Check the configurations of the promotion and see whether the conditions apply to the SKU in question.![promo-debug-help](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-identify-promotions-attributed-to-an-sku-5.png) ## Learn more diff --git a/docs/tutorials/en/how-to-identify-the-store-and-salesperson-in-an-instore-order.md b/docs/tutorials/en/how-to-identify-the-store-and-salesperson-in-an-instore-order.md index da8f873ad..f684f3c0e 100644 --- a/docs/tutorials/en/how-to-identify-the-store-and-salesperson-in-an-instore-order.md +++ b/docs/tutorials/en/how-to-identify-the-store-and-salesperson-in-an-instore-order.md @@ -15,4 +15,4 @@ legacySlug: how-to-identify-the-store-and-salesperson-in-an-instore-order subcategory: --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/how-to-include-a-collection-of-products-in-the-shop-window.md b/docs/tutorials/en/how-to-include-a-collection-of-products-in-the-shop-window.md index ceeb40150..8ea71904c 100644 --- a/docs/tutorials/en/how-to-include-a-collection-of-products-in-the-shop-window.md +++ b/docs/tutorials/en/how-to-include-a-collection-of-products-in-the-shop-window.md @@ -15,9 +15,7 @@ legacySlug: how-to-include-a-collection-of-products-in-the-shop-window subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. Shop windows are used to feature products on several pages; they can also be used for recommendations on the product page. @@ -27,30 +25,30 @@ After the proper definitions, the collection is linked to the shop window at **S In the example below, we will define a shop window shown on the Home page. Therefore, select **Settings**, then **add object**, as in the following image. -![coleção2](https://images.ctfassets.net/alneenqid6w5/5JzAgUQ2NU4oIM88Kqm8AW/a4d8c175710d8542dc0099cd16c5168d/cole____o2.png) +![coleção2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-0.png) This command will open the **Visual Controls**, that correspond to the showcase where you want to display the collection. Add a _Collection_, but be sure to set a name for it. -![coleção3](https://images.ctfassets.net/alneenqid6w5/12pUvp3l5u0CcIISmG6g2A/cf86f9d87c6c9ee2e9f1db979d2b2836/cole____o3.png) +![coleção3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-1.png) -![coleção4](https://images.ctfassets.net/alneenqid6w5/6XdqMY2IAoy6ugIK4KcYEk/0491e41c7dda3da46334ab975fe7f2ee/cole____o4.png) +![coleção4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-2.png) Remember to save the settings so that you can edit the control created. -![coleção5](https://images.ctfassets.net/alneenqid6w5/3edZaVppl6cuU64yqisaGm/4cb795f99bf6227597d044736a7e0184/cole____o5.png) +![coleção5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-3.png) -![coleção6](https://images.ctfassets.net/alneenqid6w5/Zry4UUPxW8Eic6yWmok4C/a997c64b6c59a0f3a3551228a685ff58/cole____o6.png) +![coleção6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-4.png) To edit the control, it is necessary to add its contents, which represent each set of items to be displayed. Are they: _Layout_: Select the shelf template used in the showcase. _Number of Columns, Number of Items, Show Unavailable_ and _Ramdom ad Paged_: Define the layout, quantity, and the criteria for displaying the items. -![coleção7](https://images.ctfassets.net/alneenqid6w5/4A4DMctlIkaaa2OGeAMwSq/a8205c9b1715f46dc9b8feac175de132/cole____o7.png) +![coleção7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-5.png) Remember to save your changes before you search or change pages. The next step is to add the content by selecting **Add Content**. -![coleção8](https://images.ctfassets.net/alneenqid6w5/ytG3zPwgDY4SQwYWsa6am/27dc5ad87b2f0b25d33b991ab006c7df/cole____o8.png) +![coleção8](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-6.png) It is possible to define each content by using collections or search results, by using search parameters (further details [here](/en/tutorial/search-parameters "here")) @@ -60,7 +58,7 @@ _QueryString_: The parameters entered in this field define the search result tha In the **Product Cluster (Collection)** field, you must select the collection that will be displayed by completing the following step: -![coleção10](https://images.ctfassets.net/alneenqid6w5/RHE3D2CrkG0qSguGsMS40/aa6db36e948f397ca2b1c0abc4a69be1/cole____o10.png) +![coleção10](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-7.png) The contents to be filled in the **Display Condition** part: _Partner, Campaign_ and _Source_: Define the display of this content if the visitor has a corresponding UTM in its source URL. @@ -72,7 +70,7 @@ After the settings, check **Active Content** and add to the content list, saving The example below shows a standard shop window, with no display conditions, and another one exclusive for visits arising from Google sponsored campaign audiences (utm_source=**google**/utm_medium=**cpc**): -![coleção9](https://images.ctfassets.net/alneenqid6w5/5IoPfaWgUwUsGUuCAmYS6q/ded32f70db90ffb4f3fffd740b35381b/cole____o9.png) +![coleção9](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-include-a-collection-of-products-in-the-shop-window-8.png) In the scenario above, if the customer came from the sponsored campaign audience, the products corresponding to the result of a search for ID 200000 Brand will be displayed on the **Lançamentos** shop window, located on Home; otherwise, the products corresponding to ID 8 collection will be displayed. diff --git a/docs/tutorials/en/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md b/docs/tutorials/en/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md index 1d1ae82ab..88d5e1851 100644 --- a/docs/tutorials/en/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md +++ b/docs/tutorials/en/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md @@ -15,5 +15,5 @@ legacySlug: how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/how-to-pay-boletos.md b/docs/tutorials/en/how-to-pay-boletos.md index d5f434dc2..39f9808a2 100644 --- a/docs/tutorials/en/how-to-pay-boletos.md +++ b/docs/tutorials/en/how-to-pay-boletos.md @@ -15,4 +15,4 @@ legacySlug: how-to-pay-boletos-using-vtex-payment subcategory: 6J5IKNejpAxT1Ie23PDtU4 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/how-to-preview-future-transactions.md b/docs/tutorials/en/how-to-preview-future-transactions.md index 3fd600f81..7cb8f7d60 100644 --- a/docs/tutorials/en/how-to-preview-future-transactions.md +++ b/docs/tutorials/en/how-to-preview-future-transactions.md @@ -15,4 +15,4 @@ legacySlug: how-to-preview-future-transactions subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/how-to-request-your-contract-termination-in-brazil.md b/docs/tutorials/en/how-to-request-your-contract-termination-in-brazil.md index 23e7cd857..bd6d478a6 100644 --- a/docs/tutorials/en/how-to-request-your-contract-termination-in-brazil.md +++ b/docs/tutorials/en/how-to-request-your-contract-termination-in-brazil.md @@ -15,4 +15,4 @@ legacySlug: how-to-request-your-contractual-termination-brazil subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/how-to-use-the-shareable-cart-app.md b/docs/tutorials/en/how-to-use-the-shareable-cart-app.md index 267af51a9..23ce9f1f7 100644 --- a/docs/tutorials/en/how-to-use-the-shareable-cart-app.md +++ b/docs/tutorials/en/how-to-use-the-shareable-cart-app.md @@ -17,7 +17,7 @@ subcategory: The [Shareable Cart](https://apps.vtex.com/vtex-social-selling/p) app allows sales assistants to select products for their customers and share the cart through channels such as WhatsApp, Facebook Messenger and email (Social Selling). -![Shareable Cart Demo](https://images.ctfassets.net/alneenqid6w5/sf2zbYOG7janUXWbgkajd/93aa5f4ea002c5877a9620722af67890/Jy98kJ.gif) +![Shareable Cart Demo](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-0.gif) This article details the steps needed to use this feature: activate the app, choose products, add sales assistant code, share and create a new cart. Before you start, you need to [activate this feature in your store](https://help.vtex.com/en/tutorial/como-ativar-o-app-carrinho-compartilhavel--1lS3fQdXpOoC0BTeVhydfg). @@ -31,64 +31,63 @@ You must activate the app in your first access, by accessing the store from the The cart sharing interface should appear on the screen, including some of the icons below. The options available depend on the configuration chosen by the store. -![Screen Shot 2020-05-03 at 17.37.11](https://images.ctfassets.net/alneenqid6w5/167aYS1QT597gtpD7Zfxtu/834514c7425ede7f3a1f8c0db2480b63/Screen_Shot_2020-05-03_at_17.37.11.png) +![Screen Shot 2020-05-03 at 17.37.11](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-1.png) ## Choosing products Once the app is activated, it is not necessary to log in to start browsing and to select products. Just browse the store as usual, as if you were making an online purchase. After choosing all products for the customer, open the cart and follow the next steps in the cart sharing interface. -![shareable-cart-chooseproducts](https://images.ctfassets.net/alneenqid6w5/5KF6iTOUM6fqoAnwUO6JD1/e20cb733489567945c57599681e68185/shareable-cart-chooseproducts.gif) +![shareable-cart-chooseproducts](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-2.gif) ## Adding a sales assistant code -After selecting the products, click on the button to add your sales assistant code. Follow the store's instructions for filling out, as each store can choose different ways to identify sales assistants and add discounts to their carts. +After selecting the products, click on the button to add your sales assistant code. Follow the store's instructions for filling out, as each store can choose different ways to identify sales assistants and add discounts to their carts. -![shareable-cart-addcode](https://images.ctfassets.net/alneenqid6w5/1ORhQKfIfTsXZhPR40d3FQ/f751f96f3800e2c7f7ec91bae80257b0/shareable-cart-addcode.gif) +![shareable-cart-addcode](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-3.gif) ## Filling in personal data and address (optional) Depending on the customer's preference and your store’s guidelines, you can fill in the personal and shipping data for the order. Payment data must always be filled in by the customer. -![shareable-cart-customerdetails](https://images.ctfassets.net/alneenqid6w5/4JY5ktzka93UkWov5cMnb6/8d2cccb0e7189da93ed6bf98c37d7752/shareable-cart-customerdetails.gif) +![shareable-cart-customerdetails](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-4.gif) - +>❗ **Never ask for payment details when sending the cart.** Even if the customer insists, explain that they should fill in the payment details for security reasons. ## Sharing the cart After adding your sales assistant code, click on the button corresponding to the desired option. See below the steps for each sharing option. -![shareable-cart-sharecart](https://images.ctfassets.net/alneenqid6w5/2lFmGUNGO1aECbPwa7w5Fn/d50c6ab066dbfad0b9622f3c2509dcb6/shareable-cart-sharecart.gif) +![shareable-cart-sharecart](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-use-the-shareable-cart-app-5.gif) ### Whatsapp To share the cart via WhatsApp: -1. Click on the button +1. Click on the button 2. Enter the **customer’s phone number** and click on OK 3. (Optional) Customize the message on WhatsApp 4. Send the message via WhatsApp - +>⚠️ Before sharing a cart via WhatsApp, you need to configure an account on your phone or [computer](https://faq.whatsapp.com/pt_br/web/26000012/?category=5245235&lang=en" target="_blank). If you prefer, you can instal [WhatsApp Business](https://faq.whatsapp.com/pt_br/general/26000092/?category=5245246&lang=en" target="_blank) to separate your personal account from the store account. ### Facebook Messenger To share the cart via Facebook Messenger: -1. Click on the button +1. Click on the button 2. Enter the **client’s name** on Facebook Messenger 3. Customize the message on Facebook Messenger 4. Send the message via Facebook Messenger - +>ℹ️ You cannot share carts in Messenger with people you’re not friends with on Facebook. If the customer's profile does not appear in step 2, you can use the sharing via link option and send a [message request](https://www.facebook.com/help/208160052556047?helpref=uf_permalink" target="_blank) to the customer profile. - +>⚠️ Before sharing a cart via Facebook Messenger, you need to [configure an account](https://www.facebook.com/help/messenger-app/218228001910904?helpref=search&sr=2&query=install&search_session_id=ebf3a38e8eb0ff10297f2b0629ad97ef" target="_blank) on your phone or computer. If you prefer, you can use [Messenger for business](https://www.facebook.com/business/help/499491430453591?helpref=search&sr=2&query=messenger" target="_blank) to separate your personal account from the store account. ### SMS To share the cart via SMS: -1. Click on the button +1. Click on the button 2. Enter the **customer’s phone number** and click on OK 3. (Optional) Customize the message on your SMS app 4. Send the message via SMS @@ -97,7 +96,7 @@ To share the cart via SMS: To share the cart via Link: -1. Click on the button +1. Click on the button 2. Copy the link highlighted in **Link to share** 3. (Optional) Write a custom message with the link 4. Send the link to the customer on your contact channel @@ -106,28 +105,28 @@ To share the cart via Link: To share the cart via Gmail: -1. Click on the button +1. Click on the button 2. Enter the **customer's email address** and click on OK 3. (Optional) Customize the message in Gmail 4. Send the message via Gmail - +>⚠️ Before sharing a cart via Gmail, you need to [sign in](https://support.google.com/mail/answer/8494?co=GENIE.Platform%3DDesktop&hl=en" target="_blank) on your phone or computer. Alternatively, you can [switch between account](https://support.google.com/accounts/answer/1721977?co=GENIE.Platform%3DDesktop&hl=en" target="_blank) and send the message using your personal account or the store account. ### Email -1. Click on the button +1. Click on the button 2. Enter the **customer's email address** and click on OK 3. (Optional) Customize the message in your email app 4. Send the message via email - +>⚠️ Before sharing a cart via email, you must have an application configured to open and send emails on your phone or computer. ## Clearing the cart -After finishing assisting a customer, click on the button to empty your cart and choose new products for another customer. +After finishing assisting a customer, click on the button to empty your cart and choose new products for another customer. - +>ℹ️ **Each salesperson can serve multiple customers!** We recommend keeping the links you’ve shared in a spreadsheet or notepad. This way you keep your carts organized and can make changes whenever a customer requests. - +>⚠️ The customer will need to refresh the page or access the link again to view the changes you’ve made to the cart. diff --git a/docs/tutorials/en/how-to-work-with-different-layouts-for-the-same-page.md b/docs/tutorials/en/how-to-work-with-different-layouts-for-the-same-page.md index 8e3d704e3..6f3ee45da 100644 --- a/docs/tutorials/en/how-to-work-with-different-layouts-for-the-same-page.md +++ b/docs/tutorials/en/how-to-work-with-different-layouts-for-the-same-page.md @@ -15,9 +15,7 @@ legacySlug: how-to-work-with-different-layouts-for-the-same-page subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. On the __Storefront__ > __Layout__ page, a standard layout is established for all pages of the same kind included on each folder of a website; e.g. product. @@ -37,7 +35,7 @@ After that a new section will be available and you can define through the fields It is possible to limit the availability of the template to a predetermined period of time by filling in the __From__ and __To__ fields as well as to define in which categories, products, brands and collections the chosen template will be applied. -![template-condicionado-cms](https://images.ctfassets.net/alneenqid6w5/5oheUsdoc0aKS4ysOwQ6ig/66a11beac0c32d7fde34d43b94fb45bb/template-condicionado-cms.png) +![template-condicionado-cms](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/how-to-work-with-different-layouts-for-the-same-page-0.png) After filling in all the needed fields, do not forget to save the changes made by clicking on __Save Layout__. diff --git a/docs/tutorials/en/importing-amazon-dba-orders.md b/docs/tutorials/en/importing-amazon-dba-orders.md index ac66220e5..03994a570 100644 --- a/docs/tutorials/en/importing-amazon-dba-orders.md +++ b/docs/tutorials/en/importing-amazon-dba-orders.md @@ -15,4 +15,4 @@ legacySlug: importing-amazon-dba-orders subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/inactive-sku-notice.md b/docs/tutorials/en/inactive-sku-notice.md index 659a8cb38..feeee2abb 100644 --- a/docs/tutorials/en/inactive-sku-notice.md +++ b/docs/tutorials/en/inactive-sku-notice.md @@ -15,4 +15,4 @@ legacySlug: inactive-sku-notice subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/indexing-history-beta.md b/docs/tutorials/en/indexing-history-beta.md index 9208f1870..da6cb1dbc 100644 --- a/docs/tutorials/en/indexing-history-beta.md +++ b/docs/tutorials/en/indexing-history-beta.md @@ -15,9 +15,7 @@ legacySlug: indexing-history-beta subcategory: 23WdCYqmn2V2Z7SDlc14DF --- - +>ℹ️ This feature is in beta phase, which means that we are working to improve it. If you have any questions, please contact our [Support team](https://support.vtex.com/hc/en-us/requests). **Indexing history** is the page that monitors the synchronization status of all products in the Catalog sent to Intelligent Search. It provides a broad view of the indexing progress of your store. @@ -35,7 +33,7 @@ The **Indexing status** section displays the following information: You can filter the list of indexed products for a custom view. It is important to note that the average indexing time and status breakdown will be recalculated from the products filtered. -To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. +To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/09caff4ffeaa1012d0827b8748a52a58/Captura_de_Tela_2022-09-01_a__s_13.12.32.png) diff --git a/docs/tutorials/en/indexing-history.md b/docs/tutorials/en/indexing-history.md index f21883a3e..2e731f52f 100644 --- a/docs/tutorials/en/indexing-history.md +++ b/docs/tutorials/en/indexing-history.md @@ -31,7 +31,7 @@ The **Indexing status** section displays the following information: You can filter the list of indexed products for a custom view. It is important to note that the average indexing time and status breakdown will be recalculated from the products filtered. -To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. +To filter the list of indexed products, click on `Filter` filtros. Select `Status` or `Indexing time` to set the filtering criteria. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/09caff4ffeaa1012d0827b8748a52a58/Captura_de_Tela_2022-09-01_a__s_13.12.32.png) diff --git a/docs/tutorials/en/indicators-report.md b/docs/tutorials/en/indicators-report.md index 56cfbd601..44d2f0a4b 100644 --- a/docs/tutorials/en/indicators-report.md +++ b/docs/tutorials/en/indicators-report.md @@ -15,4 +15,4 @@ legacySlug: indicators-report subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/install-visa-checkout-in-the-extension-store.md b/docs/tutorials/en/install-visa-checkout-in-the-extension-store.md index 7fcd62db8..bb48a0657 100644 --- a/docs/tutorials/en/install-visa-checkout-in-the-extension-store.md +++ b/docs/tutorials/en/install-visa-checkout-in-the-extension-store.md @@ -21,7 +21,7 @@ The purpose of this article is a step-by-step demonstration of how to install th First, on the **Explore** screen, click on the **Visa Checkout** extension. -![Extension Store 1](https://images.contentful.com/alneenqid6w5/6E480Kd4t2EqimaiKW8cii/ef5ba713601e5bdc4f97ff20133aa354/Extension_Store_1.png) +![Extension Store 1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/install-visa-checkout-in-the-extension-store-0.png) You will then have access to the page with the extension details, where the following information is displayed: @@ -37,14 +37,14 @@ To install the Visa Checkout, just click on the green button to the right of the The installation button leads to the permissions screen where one can view all the information and locations to which the extension wishes to have access. Once you accept the permissions, the extension will be installed. @@ -53,7 +53,7 @@ Your browser does not support the video tag. For the extension to function correctly you need to complete a setup phase. Just fill out the fields as shown in the diagram below and click on **Criar conta**. @@ -64,7 +64,7 @@ You should then see a successful installation message. In addition, the VTEX App Store displays a preview environment of the Visa Checkout, where you can test whether the extension functions. @@ -76,4 +76,4 @@ To move the Visa Checkout to the production environment (where you customers can To do this, just click on the **Publish** button of the top bar. -![Extension Store 3 - Publishing](https://images.contentful.com/alneenqid6w5/39BcR4BFkk8kGEKiaEWICU/f195532be2243b35168ac69e72226d20/Extension_Store_3_-_Publishing.png) +![Extension Store 3 - Publishing](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/install-visa-checkout-in-the-extension-store-1.png) diff --git a/docs/tutorials/en/integrated-anti-fraud.md b/docs/tutorials/en/integrated-anti-fraud.md index 3096d27a6..dd62404aa 100644 --- a/docs/tutorials/en/integrated-anti-fraud.md +++ b/docs/tutorials/en/integrated-anti-fraud.md @@ -15,4 +15,4 @@ legacySlug: integrated-anti-fraud subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/integrating-with-enjoei.md b/docs/tutorials/en/integrating-with-enjoei.md index 9019f3c27..bf26d56ac 100644 --- a/docs/tutorials/en/integrating-with-enjoei.md +++ b/docs/tutorials/en/integrating-with-enjoei.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-enjoei subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/integrating-with-loopi.md b/docs/tutorials/en/integrating-with-loopi.md index 3af245a8c..419b507f9 100644 --- a/docs/tutorials/en/integrating-with-loopi.md +++ b/docs/tutorials/en/integrating-with-loopi.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-loopi subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/integrating-with-madeiramadeira.md b/docs/tutorials/en/integrating-with-madeiramadeira.md index 7c9b2debc..15d8ea085 100644 --- a/docs/tutorials/en/integrating-with-madeiramadeira.md +++ b/docs/tutorials/en/integrating-with-madeiramadeira.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-madeiramadeira subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/integrating-with-multiplus.md b/docs/tutorials/en/integrating-with-multiplus.md index 68cb76f44..9f8102cd3 100644 --- a/docs/tutorials/en/integrating-with-multiplus.md +++ b/docs/tutorials/en/integrating-with-multiplus.md @@ -15,4 +15,4 @@ legacySlug: integrating-with-multiplus subcategory: 6riYYNZCpO8wyksi8Ksgyq --- - +>⚠️ Since December 2018, we have deprecated the integration with Multiplus. diff --git a/docs/tutorials/en/integrating-with-renner-and-camicado.md b/docs/tutorials/en/integrating-with-renner-and-camicado.md index bdd005612..c32de64cc 100644 --- a/docs/tutorials/en/integrating-with-renner-and-camicado.md +++ b/docs/tutorials/en/integrating-with-renner-and-camicado.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-renner-and-camicado subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/integrating-with-riachuelo.md b/docs/tutorials/en/integrating-with-riachuelo.md index 57b95a698..cd8997d98 100644 --- a/docs/tutorials/en/integrating-with-riachuelo.md +++ b/docs/tutorials/en/integrating-with-riachuelo.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-riachuelo subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/integrating-with-zoom.md b/docs/tutorials/en/integrating-with-zoom.md index 03a28a8ed..197137c36 100644 --- a/docs/tutorials/en/integrating-with-zoom.md +++ b/docs/tutorials/en/integrating-with-zoom.md @@ -15,5 +15,5 @@ legacySlug: integrating-with-zoom subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/integration-guide-for-erps.md b/docs/tutorials/en/integration-guide-for-erps.md index ca504f902..64b62f397 100644 --- a/docs/tutorials/en/integration-guide-for-erps.md +++ b/docs/tutorials/en/integration-guide-for-erps.md @@ -15,9 +15,7 @@ legacySlug: integration-guide-for-erps subcategory: 5fKgQZhrCw88ACy6Su6GUc --- - +>❗ This integration guide is outdated and will be archived in **June 2020**. We do not recommend using Webservice since the launch of the [new Catalog API](https://developers.vtex.com/changelog/new-endpoints-available-in-catalog-api" target="_blank). Check out the [new ERP integration guide](https://developers.vtex.com/docs/erp-integration-guide" target="_blank) available in our Developer Portal. The integration of ERPs with VTEX stores is made through a webservice (SOAP: xml) and the REST API (JSON). The [VTEX webservice](https://vtexhelp.myvtex.com/tutorial/manual-of-classes-and-methods-used-on-webservice--tutorials_749) must be used as less as possible to the integration processes. Currently, on exception the catalog, that has its REST API being developed, all the other VTEX modules have REST APIs well defined and with high performance. diff --git a/docs/tutorials/en/integration-with-vtex-tracking.md b/docs/tutorials/en/integration-with-vtex-tracking.md index 9cc0174e1..45696521e 100644 --- a/docs/tutorials/en/integration-with-vtex-tracking.md +++ b/docs/tutorials/en/integration-with-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: integration-with-vtex-tracking subcategory: t5ai1r0dN7J4U1IYLbHmG --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/kabum-integration.md b/docs/tutorials/en/kabum-integration.md index 453da7db8..fe6cd0c3e 100644 --- a/docs/tutorials/en/kabum-integration.md +++ b/docs/tutorials/en/kabum-integration.md @@ -15,4 +15,4 @@ legacySlug: kabum-integration subcategory: 6riYYNZCpO8wyksi8Ksgyq --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/locations-details-page-beta.md b/docs/tutorials/en/locations-details-page-beta.md index d0ec0da8d..a07dd5b77 100644 --- a/docs/tutorials/en/locations-details-page-beta.md +++ b/docs/tutorials/en/locations-details-page-beta.md @@ -15,6 +15,4 @@ legacySlug: locations-details-page subcategory: 13sVE3TApOK1C8jMVLTJRh --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/magazine-luiza-inventory-integration-errors.md b/docs/tutorials/en/magazine-luiza-inventory-integration-errors.md index 7111d453f..d53f98b82 100644 --- a/docs/tutorials/en/magazine-luiza-inventory-integration-errors.md +++ b/docs/tutorials/en/magazine-luiza-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: magazine-luiza-inventory-integration-errors subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/making-product-collections-searchable.md b/docs/tutorials/en/making-product-collections-searchable.md index ebc5727be..4424b4446 100644 --- a/docs/tutorials/en/making-product-collections-searchable.md +++ b/docs/tutorials/en/making-product-collections-searchable.md @@ -21,9 +21,7 @@ You can make it possible for the user to find products associated with a specifi For example: you have a collection called "Children's day" and mark it as searchable. If a customer searches for the term "Children's Day", the products that are part of this collection will be displayed as results of the search. -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. To make a collections searchable, follow the steps below: diff --git a/docs/tutorials/en/managing-loading-docks.md b/docs/tutorials/en/managing-loading-docks.md index b28bd2933..d11f31b49 100644 --- a/docs/tutorials/en/managing-loading-docks.md +++ b/docs/tutorials/en/managing-loading-docks.md @@ -3,8 +3,8 @@ title: 'Managing Loading Docks' id: 7K3FultD8I2cuuA6iyGEiW status: PUBLISHED createdAt: 2017-08-03T14:22:38.666Z -updatedAt: 2023-03-29T15:44:26.137Z -publishedAt: 2023-03-29T15:44:26.137Z +updatedAt: 2024-09-03T15:43:32.430Z +publishedAt: 2024-09-03T15:43:32.430Z firstPublishedAt: 2017-08-03T14:25:42.704Z contentType: tutorial productTeam: Post-purchase @@ -15,7 +15,6 @@ legacySlug: how-to-register-a-dock subcategory: 7fTH6bP0C4IaM8qWi0kkQC --- - Loading docks are one of the logistical stages of your store. A loading dock represents an intermediate point between the warehouse and the carrier. It is the location where products will be shipped from. Loading docks receive items coming from warehouses or distribution centers and deliver them to carriers, which will deliver them to the final recipient. >ℹ️ To learn more about loading docks in the VTEX system, see [Loading docks](https://help.vtex.com/en/tutorial/loading-dock--5DY8xHEjOLYDVL41Urd5qj). @@ -30,17 +29,11 @@ This article describes how to: To configure a loading dock correctly, you need to: create the loading dock, fill in the fields for adding it (which include working hours and priority), and associate the loading dock with a [trade policy](https://help.vtex.com/en/tutorial/o-que-e-uma-politica-comercial--563tbcL0TYKEKeOY4IAgAE), a warehouse, and a [shipping policy](https://help.vtex.com/en/tutorial/politica-de-envio--tutorials_140?&utm_source=autocomplete). >⚠️ For the logistics system to work as expected, we suggest that you configure it in the following order: -> -> -> [Trade policy;](https://help.vtex.com/en/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) -> -> 2. [Shipping policy;](https://help.vtex.com/en/tutorial/politica-de-envio--tutorials_140) -> -> 3. [Loading dock;](https://help.vtex.com/en/tutorial/gerenciar-doca--7K3FultD8I2cuuA6iyGEiW) -> -> Warehouse. > -> +> *[Trade policy](https://help.vtex.com/en/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) +> * [Shipping policy](https://help.vtex.com/en/tutorial/politica-de-envio--tutorials_140) +> * [Loading dock](https://help.vtex.com/en/tutorial/doca--5DY8xHEjOLYDVL41Urd5qj) +> * [Warehouse](https://help.vtex.com/en/tutorial/estoque--6oIxvsVDTtGpO7y6zwhGpb) ## Adding a loading dock diff --git a/docs/tutorials/en/managing-redirects-per-binding.md b/docs/tutorials/en/managing-redirects-per-binding.md index 97668eba0..6cd39ec12 100644 --- a/docs/tutorials/en/managing-redirects-per-binding.md +++ b/docs/tutorials/en/managing-redirects-per-binding.md @@ -21,16 +21,14 @@ Multi-domain stores commonly ask for redirect management per [binding](https://h Taking this into consideration, VTEX enables you to manage your URL redirects according to the store bindings through the admin interface. - +>⚠️ To create, edit, or remove redirects, the Admin user must have a role that has the [License Manager](https://help.vtex.com/en/tutorial/license-manager-resources--3q6ztrC8YynQf6rdc6euk3) **CMS Settings** resource. You can grant the user a role with the resource by following the instructions in the [How to manage users](https://help.vtex.com/en/tutorial/managing-users--tutorials_512#editing-users) article or create a new role including the resource by following the instructions in the [Roles](https://help.vtex.com/en/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc#creating-a-role) article. In VTEX Admin: 1. Access **Storefront > Pages**. 2. Click on the `Redirects` tab. -![en-redirecttab](https://images.ctfassets.net/alneenqid6w5/7G20PhFKWBFNKmvN2T8MFo/4b88bd44abc30aa3af4e0f9ca8557e3e/new-redirect.png) +![en-redirecttab](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-redirects-per-binding-0.png) ## Manually creating redirects @@ -40,7 +38,7 @@ In VTEX Admin: 4. Check whether your redirect will be permanent or temporary — in case it is temporary, you can toggle the `This redirect has an end date` button to set an end date for it. 5. Save your changes. -![en-novoredirect](https://images.ctfassets.net/alneenqid6w5/4CdPssJV4wAfbvr0ZB2ugi/2d3efd147908ec9e1da471403cba2cf9/redirect-novo.png) +![en-novoredirect](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-redirects-per-binding-1.png) ## Manually deleting redirects @@ -48,7 +46,7 @@ In VTEX Admin: 2. Click on the `Remove` button. 3. Confirm your action. -![en-remove-redirect](https://images.ctfassets.net/alneenqid6w5/4Ki1noxgrPgStT4wZGbrCk/7de9c0c5b3a4b9c734657c96ae20cccf/remove-redirect.png) +![en-remove-redirect](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-redirects-per-binding-2.png) >⚠️ A bug may be found when trying to click on redirects with query strings. The VTEX product team is already aware of this unexpected behavior and working on the fix. If you cannot click on the desired redirect to delete it, opt to do it through the spreadsheet while the issue is not resolved. @@ -73,7 +71,7 @@ To manage your store's redirects in bulk, you can import and export a redirect s 4. Click on the `Import` button. 5. Check the `Save` or the `Delete` button according to your scenario. - ![en-redirect-planilha](https://images.ctfassets.net/alneenqid6w5/1LA0kpUcu5NhfUgWWhkjea/b83ae63b44fa2367877b00daf47467c7/redirect-planilha.png) + ![en-redirect-planilha](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-redirects-per-binding-3.png) >⚠️ By clicking on the `Save` button, you will create all the redirects listed in your spreadsheet, whereas clicking on the `Delete` button will remove all of them from your store's redirect database. diff --git a/docs/tutorials/en/managing-url-redirects.md b/docs/tutorials/en/managing-url-redirects.md index 9f8b6ccd0..fe36fc432 100644 --- a/docs/tutorials/en/managing-url-redirects.md +++ b/docs/tutorials/en/managing-url-redirects.md @@ -17,9 +17,7 @@ subcategory: 1znnjA17XqaUNdNFr42PW5 **Redirects** is a feature that redirects the customer to any other internal or external page. It is done in the search area using selected terms or filters. - +>⚠️ To create, edit, or remove redirects, the Admin user must have a role that has the [License Manager](https://help.vtex.com/en/tutorial/license-manager-resources--3q6ztrC8YynQf6rdc6euk3) **CMS Settings** resource. You can grant the user a role with the resource by following the instructions in the [How to manage users](https://help.vtex.com/en/tutorial/managing-users--tutorials_512#editing-users) article or create a new role including the resource by following the instructions in the [Roles](https://help.vtex.com/en/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc#creating-a-role) article. Multiple redirects are possible in a single URL. To create a redirect, follow the instructions below. @@ -31,7 +29,7 @@ Multiple redirects are possible in a single URL. To create a redirect, follow th 4. In the checkbox, indicate whether this redirect is temporary or permanent. If it is temporary, you need to set an end date. 5. Click `Save`. -![gerenciando redirecionamentos en 1](https://images.ctfassets.net/alneenqid6w5/6WZzZNgQPLtfwP1Z8fK7S9/342b99d95882506fce9b9e3be1205bac/image6.png) +![gerenciando redirecionamentos en 1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-url-redirects-0.png) ## Importing redirects Follow the steps below to import a redirect. @@ -40,10 +38,12 @@ Follow the steps below to import a redirect. 3. Click `Import File`. 4. Click `Save`. - +>⚠️ Please note that some editors can automatically change the separator. Therefore, before importing a file, make sure that it is correctly formatted as CSV and that it uses a semicolon (`;`) as the value separator. Files containing other separators, such as comma (`,`) or tab (`  `), are not supported. +> +> +> +> +> Some editors, such as Google Sheets, export CSV files using a comma (`,`) as the default separator and may not accept semicolons (`;`). In these cases, we recommend using other editors that allow you to replace separators or save the file using semicolons (`;`) as separators. ## Exporting redirects diff --git a/docs/tutorials/en/managing-users.md b/docs/tutorials/en/managing-users.md index e9b37c1a2..91a1daa99 100644 --- a/docs/tutorials/en/managing-users.md +++ b/docs/tutorials/en/managing-users.md @@ -19,7 +19,7 @@ The user management with access to the administrative environment of your VTEX s This page displays the list of users with their __Name__, __Email__ and __MFA__ configuration. There are also options to search for users, export users and create new ones. Other options available on this interface are to edit or delete each user. -![Lista Usuários User Management EN](https://images.ctfassets.net/alneenqid6w5/1IjRv0l2rDBrSWtHj82CDm/a8d2afc57a750d942cfe7e6e2cd98993/Lista_Usu__rios_User_Management_EN.png) +![Lista Usuários User Management EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-0.png) >⚠️ Any user that wants to manage users or application keys must have a profile with the **Save User** [resource](https://help.vtex.com/en/tutorial/license-manager-resources--3q6ztrC8YynQf6rdc6euk3?&utm_source=autocomplete). You can use the default profile [User Administrator - RESTRICTED](https://help.vtex.com/en/tutorial/predefined-roles--jGDurZKJHvHJS13LnO7Dy#user-administrator-restricted), for example. @@ -28,10 +28,10 @@ This page displays the list of users with their __Name__, __Email__ and __MFA__ 1. Click on your **profile avatar** on the VTEX Admin top bar, marked by the initial of your email, and click on **Account settings** > __Users__ . 2. Click on the `+ New` button. 3. Fill in the **Email**. - ![Add new User Management EN](https://images.ctfassets.net/alneenqid6w5/6EWyev5Qu1nYYxbL1K8YMw/1c78fe3f13064af0b12685dba1ab85a0/Cadastro_Novo_usu__rio_User_Management_EN.png) + ![Add new User Management EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-1.png) 4. Click on `+ Add roles`. 5. Add the desired [Roles](https://help.vtex.com/en/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc). - ![Select User Management roles EN](https://images.ctfassets.net/alneenqid6w5/4wSp2QkYZH114DFFEOo3ly/b06bd642bf1763e915d49e3016ab845a/select-roles.PNG) + ![Select User Management roles EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-2.PNG) 6. Click on `Add roles` to confirm the selection. 7. Click on `Save`. @@ -43,26 +43,26 @@ The password must have at least eight characters and a number, a capital letter 1. Click on your **profile avatar** on the VTEX Admin top bar, marked by the initial of your email, and click on **Account settings** > __Users__ . 2. To edit an existing user, click on their name in the list of users. Another possibility is to click on the menu button next to the desired user and then on **Edit**. - ![Botão Editar Usuário User Management EN](https://images.ctfassets.net/alneenqid6w5/5XzJuCftOAty7JHkxHO5Th/03aa67401cc9eb46480cd9a6bbb9a65e/Bot__o_Editar_Usu__rio_User_Management_EN.png) - + ![Botão Editar Usuário User Management EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-3.png) + >⚠️ It is not possible to change the email of an existing user. In this case, it is necessary to delete the user and create them again with the new email. 3. In the editing page you can add and remove the [Roles](https://help.vtex.com/en/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc) of the user, as shown in the image below. - ![Select User Management roles EN](https://images.ctfassets.net/alneenqid6w5/4wSp2QkYZH114DFFEOo3ly/b06bd642bf1763e915d49e3016ab845a/select-roles.PNG) + ![Select User Management roles EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-4.PNG) 4. Click on `Add roles` to confirm the selection. 5. Click on `Save`. - +>ℹ️ An alert will appear when adding roles to a user who does not use multiple factor authentication (MFA). The article [Enable login by 2-factor authentication](https://help.vtex.com/en/tutorial/habilitar-login-por-autenticacao-de-2-fatores--4Ae1fcQi12g8u4SkQKCqWQ) shows how to enable this setting. - +>⚠️ If all roles are removed from the user, they will no longer be able to access VTEX Admin. ## Deleting a user 1. Click on your **profile avatar** on the VTEX Admin top bar, marked by the initial of your email, and click on **Account settings** > __Users__ . 2. Click on the menu button next to the user you want to remove. 3. Click on the **Delete** option. - ![Delete a User Management button EN](https://images.ctfassets.net/alneenqid6w5/40v9IfXb47lKyi79vZgWpJ/da5bdd0600085cb4b8e4203308c89f36/Bot__o_Excluir_Usu__rio_User_Management_EN.png) + ![Delete a User Management button EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-5.png) A message will appear to confirm the removal of the user. 4. To confirm, click on the button `YES, REVOKE ALL ACCESS`. - ![Confirmar Remover Acesso User Management EN](https://images.ctfassets.net/alneenqid6w5/2lnDFzfX0ZPsZM8uX59Nq7/9773084eac472c468e94d67f575a92e0/Confirmar_Remover_Acesso_User_Management_EN.png) + ![Confirmar Remover Acesso User Management EN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/managing-users-6.png) ## Exporting user data diff --git a/docs/tutorials/en/mapping-categories-and-brands-for-the-marketplace-beta.md b/docs/tutorials/en/mapping-categories-and-brands-for-the-marketplace-beta.md index 59347a4cd..b48429ea5 100644 --- a/docs/tutorials/en/mapping-categories-and-brands-for-the-marketplace-beta.md +++ b/docs/tutorials/en/mapping-categories-and-brands-for-the-marketplace-beta.md @@ -15,5 +15,5 @@ legacySlug: mapping-categories-and-brands-for-the-marketplace-beta subcategory: 24EN0qRBg4yK0uusGUGosu --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/mapping-mercado-livre-categories-variations-and-attributes.md b/docs/tutorials/en/mapping-mercado-livre-categories-variations-and-attributes.md index fae98e2b1..a3f108dc6 100644 --- a/docs/tutorials/en/mapping-mercado-livre-categories-variations-and-attributes.md +++ b/docs/tutorials/en/mapping-mercado-livre-categories-variations-and-attributes.md @@ -15,4 +15,4 @@ legacySlug: mapping-mercado-livre-categories-variations-and-attributes subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/mercado-libre-invoices.md b/docs/tutorials/en/mercado-libre-invoices.md index abaa028cf..13dd113a5 100644 --- a/docs/tutorials/en/mercado-libre-invoices.md +++ b/docs/tutorials/en/mercado-libre-invoices.md @@ -15,5 +15,5 @@ legacySlug: mercado-libre-invoices subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/mercado-libre-promotions.md b/docs/tutorials/en/mercado-libre-promotions.md index 72c74cef4..e79cb3c64 100644 --- a/docs/tutorials/en/mercado-libre-promotions.md +++ b/docs/tutorials/en/mercado-libre-promotions.md @@ -15,4 +15,4 @@ legacySlug: mercado-libre-promotions-beta subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/mercado-livre-automobilist-compatibility.md b/docs/tutorials/en/mercado-livre-automobilist-compatibility.md index 4d598fe46..7ccbcd830 100644 --- a/docs/tutorials/en/mercado-livre-automobilist-compatibility.md +++ b/docs/tutorials/en/mercado-livre-automobilist-compatibility.md @@ -15,4 +15,4 @@ legacySlug: mercado-livre-automobilist-compatibility subcategory: 2zVauFUkYn8vgS0y0MfWeK --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/mercado-livre-faq.md b/docs/tutorials/en/mercado-livre-faq.md index 05647b2db..9e780d307 100644 --- a/docs/tutorials/en/mercado-livre-faq.md +++ b/docs/tutorials/en/mercado-livre-faq.md @@ -15,4 +15,4 @@ legacySlug: mercado-livre-faq subcategory: 6riYYNZCpO8wyksi8Ksgyq --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/mercado-livre-inventory-integration-errors.md b/docs/tutorials/en/mercado-livre-inventory-integration-errors.md index 1f2085c1d..1a5aad773 100644 --- a/docs/tutorials/en/mercado-livre-inventory-integration-errors.md +++ b/docs/tutorials/en/mercado-livre-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: mercado-livre-inventory-integration-errors subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/migrating-ads-in-mercado-livre.md b/docs/tutorials/en/migrating-ads-in-mercado-livre.md index 38a234ada..e54fc1846 100644 --- a/docs/tutorials/en/migrating-ads-in-mercado-livre.md +++ b/docs/tutorials/en/migrating-ads-in-mercado-livre.md @@ -15,4 +15,4 @@ legacySlug: migrating-ads-in-mercado-livre subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/minimum-stock-control-for-integrations.md b/docs/tutorials/en/minimum-stock-control-for-integrations.md index 8666f1528..647745d0b 100644 --- a/docs/tutorials/en/minimum-stock-control-for-integrations.md +++ b/docs/tutorials/en/minimum-stock-control-for-integrations.md @@ -1,9 +1,9 @@ --- title: 'Minimum stock control for integrations' id: 5hvUNIiSeJ5QCaZQYpYf1D -status: PUBLISHED +status: CHANGED createdAt: 2020-10-16T15:25:46.901Z -updatedAt: 2023-03-29T16:15:17.491Z +updatedAt: 2024-09-04T14:27:54.489Z publishedAt: 2023-03-29T16:15:17.491Z firstPublishedAt: 2020-10-16T17:29:32.622Z contentType: tutorial @@ -40,7 +40,7 @@ To set the minimum inventory for your integration, follow the steps below: 2. In the Marketplace > Connection menu, click on **Integrations**. 3. Select the **Settings** option. 4. Choose the integration you want to configure. -5. Then, click on the gears icon . +5. Then, click on the gears icon . 6. Select the **Edit Config** option. 7. In the **Minimum inventory** field, enter the desired value. 8. **Save** your changes. diff --git a/docs/tutorials/en/my-ad-is-not-displayed-on-mercado-livre.md b/docs/tutorials/en/my-ad-is-not-displayed-on-mercado-livre.md index eab84901b..816f4e241 100644 --- a/docs/tutorials/en/my-ad-is-not-displayed-on-mercado-livre.md +++ b/docs/tutorials/en/my-ad-is-not-displayed-on-mercado-livre.md @@ -15,5 +15,5 @@ legacySlug: my-ad-is-not-displayed-on-mercado-livre subcategory: 2Q0IQjRcOqSgJTh6wRHVMB --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/netshoes-inventory-integration-errors.md b/docs/tutorials/en/netshoes-inventory-integration-errors.md index 349b5ea55..39195e0a8 100644 --- a/docs/tutorials/en/netshoes-inventory-integration-errors.md +++ b/docs/tutorials/en/netshoes-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: netshoes-inventory-integration-errors subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/new-route.md b/docs/tutorials/en/new-route.md index e4622ecc6..4338c3805 100644 --- a/docs/tutorials/en/new-route.md +++ b/docs/tutorials/en/new-route.md @@ -15,4 +15,4 @@ legacySlug: new-route subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/offer-management-moderation-and-quality-of-mercado-libre.md b/docs/tutorials/en/offer-management-moderation-and-quality-of-mercado-libre.md index 28fddc134..ca07da573 100644 --- a/docs/tutorials/en/offer-management-moderation-and-quality-of-mercado-libre.md +++ b/docs/tutorials/en/offer-management-moderation-and-quality-of-mercado-libre.md @@ -15,4 +15,4 @@ legacySlug: offer-management-moderation-and-quality-of-mercado-libre subcategory: 2zVauFUkYn8vgS0y0MfWeK --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/opening-tickets-to-vtex-support-beta.md b/docs/tutorials/en/opening-tickets-to-vtex-support-beta.md index 8f0093d80..76a0f840e 100644 --- a/docs/tutorials/en/opening-tickets-to-vtex-support-beta.md +++ b/docs/tutorials/en/opening-tickets-to-vtex-support-beta.md @@ -15,5 +15,4 @@ legacySlug: opening-tickets-to-vtex-support-beta subcategory: 2z8Y3gMXH2piEmAVDs1fSf --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-b2w-integration.md b/docs/tutorials/en/order-errors-in-the-b2w-integration.md index dc5b21117..81f8799db 100644 --- a/docs/tutorials/en/order-errors-in-the-b2w-integration.md +++ b/docs/tutorials/en/order-errors-in-the-b2w-integration.md @@ -15,5 +15,5 @@ legacySlug: b2w-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-carrefour-integration.md b/docs/tutorials/en/order-errors-in-the-carrefour-integration.md index 1a860c349..ba8a47880 100644 --- a/docs/tutorials/en/order-errors-in-the-carrefour-integration.md +++ b/docs/tutorials/en/order-errors-in-the-carrefour-integration.md @@ -15,5 +15,5 @@ legacySlug: carrefour-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-dafiti-integration.md b/docs/tutorials/en/order-errors-in-the-dafiti-integration.md index 6f2b978cc..a8bc11d4d 100644 --- a/docs/tutorials/en/order-errors-in-the-dafiti-integration.md +++ b/docs/tutorials/en/order-errors-in-the-dafiti-integration.md @@ -15,5 +15,5 @@ legacySlug: order-errors-in-the-dafiti-integration subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-magazine-luiza-integration.md b/docs/tutorials/en/order-errors-in-the-magazine-luiza-integration.md index dc77ff4b6..c0153a895 100644 --- a/docs/tutorials/en/order-errors-in-the-magazine-luiza-integration.md +++ b/docs/tutorials/en/order-errors-in-the-magazine-luiza-integration.md @@ -15,5 +15,5 @@ legacySlug: magazine-luiza-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-mercado-livre-integration.md b/docs/tutorials/en/order-errors-in-the-mercado-livre-integration.md index 67b63d5c5..516c276c7 100644 --- a/docs/tutorials/en/order-errors-in-the-mercado-livre-integration.md +++ b/docs/tutorials/en/order-errors-in-the-mercado-livre-integration.md @@ -15,5 +15,5 @@ legacySlug: mercado-livre-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-netshoes-integration.md b/docs/tutorials/en/order-errors-in-the-netshoes-integration.md index 089a60675..0677a9d7a 100644 --- a/docs/tutorials/en/order-errors-in-the-netshoes-integration.md +++ b/docs/tutorials/en/order-errors-in-the-netshoes-integration.md @@ -15,5 +15,5 @@ legacySlug: netshoes-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/order-errors-in-the-via-integration.md b/docs/tutorials/en/order-errors-in-the-via-integration.md index 979569b9d..0ed38b213 100644 --- a/docs/tutorials/en/order-errors-in-the-via-integration.md +++ b/docs/tutorials/en/order-errors-in-the-via-integration.md @@ -15,5 +15,5 @@ legacySlug: via-integration-orders-erros subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/payment-methods.md b/docs/tutorials/en/payment-methods.md index b46ee1d9b..f2e22530c 100644 --- a/docs/tutorials/en/payment-methods.md +++ b/docs/tutorials/en/payment-methods.md @@ -15,4 +15,4 @@ legacySlug: payment-methods subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/pix-faq.md b/docs/tutorials/en/pix-faq.md index 7053c1b96..0d09d5721 100644 --- a/docs/tutorials/en/pix-faq.md +++ b/docs/tutorials/en/pix-faq.md @@ -15,4 +15,4 @@ legacySlug: pix-faq subcategory: 2Xay1NOZKE2CSqKMwckOm8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/portadores-vtex-tracking.md b/docs/tutorials/en/portadores-vtex-tracking.md index 3793ffd91..64ecc7f2c 100644 --- a/docs/tutorials/en/portadores-vtex-tracking.md +++ b/docs/tutorials/en/portadores-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: portadores-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/price-divergence-rules-beta.md b/docs/tutorials/en/price-divergence-rules-beta.md index af6a8b771..c6edb9261 100644 --- a/docs/tutorials/en/price-divergence-rules-beta.md +++ b/docs/tutorials/en/price-divergence-rules-beta.md @@ -15,15 +15,13 @@ legacySlug: price-divergence-authorization-rules-for-sellers subcategory: 4ZBiXqnPntLbsijZ0djFcD --- -
    -

    This feature is in Beta stage, meaning we are working to improve it. If you have any questions, please contact our Support Center.

    -
    +>ℹ️ This feature is in Beta stage, meaning we are working to improve it. If you have any questions, please contact our Support Center. Integrations between VTEX sellers and [native connectors](https://help.vtex.com/en/tutorial/integrando-com-marketplace--tutorials_402#integrating-with-a-native-connector-vtex) can present divergences between the prices configured on the VTEX platform and the ones displayed in the marketplace, which can generate errors in the Order Management System (OMS). Orders whose price difference is greater than the values configured in the integration are not automatically sent to the OMS. This causes orders to remain on “error” status in the `Orders` section, in the *INTEGRATIONS* module of the Admin, waiting to be manually approved. -![divergenciadepreçosEN-01](https://images.contentful.com/alneenqid6w5/4mjfgTHC1DrhmprHMU4akp/7085908f63fefc87357e95f6bb363dd9/divergenciadepre__osEN-01.gif) +![divergenciadepreçosEN-01](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/price-divergence-rules-beta-0.gif) To send orders with price divergence to the OMS, we have created the price divergence rule (Beta). According to this rule, all orders that diverge in price are sent to the OMS and must be manually approved by the individual in charge — the person whose email address is listed under *Account management > Accounts*. You can add more than one email address. @@ -44,7 +42,7 @@ You can configure the price divergence rule by: ### Creating rules -![barra regradivergenciaEN](https://images.contentful.com/alneenqid6w5/DqcEZulHBr5XuNbF8LWDn/3aa409e8d104ed4beb73a5dd33886d97/barra_regradivergenciaEN.JPG) +![barra regradivergenciaEN](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/price-divergence-rules-beta-1.JPG) To create a rule, follow the steps below: @@ -57,7 +55,7 @@ To create a rule, follow the steps below: * The system automatically configures a rule with a percentage of divergence between 0% and 30%, corresponding to the light blue bar. 6. hoose one of the following options for the authorization rule: `Automatically authorize`, `Automatically deny`, or `Create a VTEX DO task to approve`. 7. To increase or decrease the divergence percentage, click on the bar and drag its extremities considering the symbols "<" (less than) and ">" (greater than). -8. To create the second rule, click on the icon and repeat steps 6 and 7. +8. To create the second rule, click on the icon and repeat steps 6 and 7. 9. Click on `Save rules`. During the process of creating rules, you will see the following tabs: @@ -76,7 +74,7 @@ To edit existing rules, follow the steps below: 5. Edit the rule you want by changing the percentage bar. 6. Then click on `Save rules`. -![divergenciadepreçosEN-02](https://images.contentful.com/alneenqid6w5/19JIIISSI8aKitR5Alvzfy/9f0135552d26f4353df30374a361c6a6/divergenciadepre__osEN-02.gif) +![divergenciadepreçosEN-02](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/price-divergence-rules-beta-2.gif) ## Order authorization @@ -97,7 +95,7 @@ To authorize orders manually, follow the steps below: 4. Select the order with the status `Waiting for manual authorization` that you want to approve. 5. Click on `Approve order`. -![divergenciadepreçosEN-03](https://images.contentful.com/alneenqid6w5/5HVasmtuyHSGDmVAlPnl8T/3f1e507a2f00ca82e1ebc43dcdc5809c/divergenciadepre__osEN-03.gif) +![divergenciadepreçosEN-03](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/price-divergence-rules-beta-3.gif) ### Authorizing orders via VTEX DO @@ -111,4 +109,4 @@ To authorize orders manually, follow the steps below: 6. Click on `Close`. 7. Click on `Authorize`. -![divergenciadepreçosEN-04](https://images.contentful.com/alneenqid6w5/4Hy0li6MdpqLRQiDqkQOyi/055b6a1120bc50793625319db6aa30d4/divergenciadepre__osEN-04.gif) +![divergenciadepreçosEN-04](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/price-divergence-rules-beta-4.gif) diff --git a/docs/tutorials/en/products-errors-in-the-amazon-integration.md b/docs/tutorials/en/products-errors-in-the-amazon-integration.md index 7af63fbae..5cf38158b 100644 --- a/docs/tutorials/en/products-errors-in-the-amazon-integration.md +++ b/docs/tutorials/en/products-errors-in-the-amazon-integration.md @@ -15,4 +15,4 @@ legacySlug: products-errors-in-the-amazon-integration subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/promotions-simulator-beta.md b/docs/tutorials/en/promotions-simulator-beta.md index 0c61cc451..abf3eac3d 100644 --- a/docs/tutorials/en/promotions-simulator-beta.md +++ b/docs/tutorials/en/promotions-simulator-beta.md @@ -28,7 +28,7 @@ The **Promotion Simulator** is available for all VTEX stores through [Cartman](h If you prefer, you can access it directly from the URL `https://{accountname}.myvtex.com/`, replacing `{accountname}` with the name of your VTEX account. 2. Add products to the cart and access the checkout at `https://{accountname}.myvtex.com/checkout/#/cart`. -3. Click the blue button cartman-icon in the bottom right corner of the page to launch Cartman. +3. Click the blue button cartman-icon in the bottom right corner of the page to launch Cartman. 4. Click **Promotion Simulator**. In the new window, you will find a list of the products in your cart and all the promotions that have been applied and are applicable to each item. diff --git a/docs/tutorials/en/promotions-simulator.md b/docs/tutorials/en/promotions-simulator.md index b187c090b..266f2f1d7 100644 --- a/docs/tutorials/en/promotions-simulator.md +++ b/docs/tutorials/en/promotions-simulator.md @@ -22,7 +22,7 @@ The **Promotions Simulator** allows you to view the promotions applied to shoppi To use this feature, you need to [configure Cartman](https://help.vtex.com/en/tutorial/configurar-o-cartman--1ACMTStZYkMqB0lTgwg451), a tool that simulates, shares, and explores carts. Once Cartman has been configured, follow the steps below to access the **Promotions Simulator**. 1. Add products included in your store's promotions to your shopping cart. -2. In the cart, click the following button cartman-icon to open Cartman. +2. In the cart, click the following button cartman-icon to open Cartman. 3. Select `View promotion details`. 4. This window displays the promotions applied to the cart. For more details, click `View details`. ![cartman-analisador-promoção-EN](https://images.ctfassets.net/alneenqid6w5/43LSTCKfLxf0Buvbc3mNpQ/5e79f607478f8e4174edde1e1a1d6028/Screen_Shot_2022-03-07_at_11.13.45.png) diff --git a/docs/tutorials/en/ready-to-dispatch.md b/docs/tutorials/en/ready-to-dispatch.md index 78371256a..076d60c7f 100644 --- a/docs/tutorials/en/ready-to-dispatch.md +++ b/docs/tutorials/en/ready-to-dispatch.md @@ -15,4 +15,4 @@ legacySlug: ready-to-dispatch subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ The VTEX Shipping Network solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/reconciliation-of-accounts-receivable.md b/docs/tutorials/en/reconciliation-of-accounts-receivable.md index 64d5cb350..d2f2a7f6e 100644 --- a/docs/tutorials/en/reconciliation-of-accounts-receivable.md +++ b/docs/tutorials/en/reconciliation-of-accounts-receivable.md @@ -15,4 +15,4 @@ legacySlug: reconciliation-of-accounts-receivable subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/reports.md b/docs/tutorials/en/reports.md index b6fe8b20e..e379c2982 100644 --- a/docs/tutorials/en/reports.md +++ b/docs/tutorials/en/reports.md @@ -15,4 +15,4 @@ legacySlug: reports subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/requesting-a-contract-termination-in-argentina-and-colombia.md b/docs/tutorials/en/requesting-a-contract-termination-in-argentina-and-colombia.md index 5f88ab13b..c87e563d6 100644 --- a/docs/tutorials/en/requesting-a-contract-termination-in-argentina-and-colombia.md +++ b/docs/tutorials/en/requesting-a-contract-termination-in-argentina-and-colombia.md @@ -15,7 +15,7 @@ legacySlug: requesting-a-contract-termination-in-argentina-and-colombia subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>ℹ️ To terminate a contract, your store cannot have any past due debt with VTEX.Should there be any, it must be settled for the process to proceed. See [how to pay your invoice](https://help.vtex.com/en/tutorial/como-baixar-boletos-e-notas-fiscais-da-vtex--tutorials_653" target="_blank). To request the contract termination, please contact our financial team through a [ticket](https://help.vtex.com/en/tutorial/opening-tickets-to-vtex-support-finacial--1ad3TguXzCSKq4yuYSK80c). Creating a ticket will generate a response from VTEX. After this contact, you must send the required documents. diff --git a/docs/tutorials/en/requesting-the-ssl-certificate.md b/docs/tutorials/en/requesting-the-ssl-certificate.md index 05bac39e0..45676bd48 100644 --- a/docs/tutorials/en/requesting-the-ssl-certificate.md +++ b/docs/tutorials/en/requesting-the-ssl-certificate.md @@ -19,7 +19,7 @@ The SSL certificate will protect the transfer of sensitive data by your custome _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + [See in details how to acquire the security certificate (SSL).](/en/tutorial/hiring-the-security-certificate-sll) diff --git a/docs/tutorials/en/routes.md b/docs/tutorials/en/routes.md index 09357b759..27ab9e1a4 100644 --- a/docs/tutorials/en/routes.md +++ b/docs/tutorials/en/routes.md @@ -15,4 +15,4 @@ legacySlug: routes subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/routing-monitoring.md b/docs/tutorials/en/routing-monitoring.md index 198186409..90716bf88 100644 --- a/docs/tutorials/en/routing-monitoring.md +++ b/docs/tutorials/en/routing-monitoring.md @@ -15,4 +15,4 @@ legacySlug: routing-monitoring subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/scheduling-content-updates.md b/docs/tutorials/en/scheduling-content-updates.md index d15885bb8..232dcaacd 100644 --- a/docs/tutorials/en/scheduling-content-updates.md +++ b/docs/tutorials/en/scheduling-content-updates.md @@ -15,9 +15,7 @@ legacySlug: scheduling-content-updates subcategory: 9Arh3cJIOYlfSD1MUC2h3 --- - +>⚠️ The scheduled update can take up to 30 minutes to take effect and be shown on your page. After [creating a new content version in Site Editor](https://help.vtex.com/en/tutorial/gerenciando-versoes-de-conteudo--4loXo98CZncY0NnjKrScbG?&utm_source=autocomplete), you can schedule it to be published on your store by using the **Visibility** feature. diff --git a/docs/tutorials/en/scheduling-report.md b/docs/tutorials/en/scheduling-report.md index 517f9f09d..ad18baa49 100644 --- a/docs/tutorials/en/scheduling-report.md +++ b/docs/tutorials/en/scheduling-report.md @@ -15,4 +15,4 @@ legacySlug: scheduling-report subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/search-navigator-control.md b/docs/tutorials/en/search-navigator-control.md index 4c5ac44f0..8666b8b77 100644 --- a/docs/tutorials/en/search-navigator-control.md +++ b/docs/tutorials/en/search-navigator-control.md @@ -15,9 +15,7 @@ legacySlug: search-navigator-control subcategory: 2g6LxtasS4iSeGEqeYUuGW --- -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. The `` control renders a menu of filters related to the result of a search. @@ -42,7 +40,7 @@ For a collection to be rendered in the menu by the Search Navigator control, it This flag can be found in the collection's settings, inside CMS. -![searchNavigator2](https://images.contentful.com/alneenqid6w5/30xKS65fWMuoiQO4ac2EKM/921be3bc19a8cdff48dade515c354908/searchNavigator2.jpg) +![searchNavigator2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-navigator-control-0.jpg) ## Categories @@ -50,7 +48,7 @@ For a category to be rendered by this control, it must be marked with the __Menu This flag can be found on the category registration screen. -![How Search Navigator control works EN 2](https://images.ctfassets.net/alneenqid6w5/4lSSrBSvyUqEGUEw0oMiac/f132379724b8855996e6f41c2e195ce6/2018-10-23_2233_EN_2.png) +![How Search Navigator control works EN 2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-navigator-control-1.png) >ℹ️ **Important**: The `<vtex.cmc:searchNavigator/>` control displays, by default, only the primary-level categories (root) and the lowest-level sub-categories, within the current context. Intermediate splits in the categories tree are omitted. > In addition, the control only functions on the first three levels, which traditionally are the Department, Category and Subcategory. If your [catalog architecture](https://help.vtex.com/en/tracks/catalogo-101--5AF0XfnjfWeopIFBgs3LIQ/7kz4uWVq6NoaOdUpiJv4PR) has any other subdivisions except the three levels mentioned above, these will not be displayed using the native control. @@ -79,7 +77,7 @@ For a product field or SKU field to be displayed on the menu by the Search Navig Both are found on the field registration screen. -![How Search Navigator control works EN 3](https://images.ctfassets.net/alneenqid6w5/2qjmz7DHFaSUq00CGy0cQw/1794e1b088a4ee376627e856dab2cd86/2018-10-23_22-24-47_EN_3.png) +![How Search Navigator control works EN 3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-navigator-control-2.png) ## Price ranges diff --git a/docs/tutorials/en/search-parameters.md b/docs/tutorials/en/search-parameters.md index 813489fdb..2f3afb8c0 100644 --- a/docs/tutorials/en/search-parameters.md +++ b/docs/tutorials/en/search-parameters.md @@ -19,7 +19,7 @@ subcategory: pwxWmUu7T222QyuGogs68 When making a search on VTEX, there are different possibilities of urls. The urls of Departments and Categories are made up as follows: -![](https://images.contentful.com/alneenqid6w5/1MhPmB1yxKS426UCsASUsY/eeaf45262ccde7b0a50ee6ef6b787afb/arvore_categoria.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-0.png) In the categories tree above, the links are as follows: @@ -33,7 +33,7 @@ www.store.com/artes-e-entretenimento/festas-e-comemoracoes/artigos-para-festas The url will always be made up with the term entered in the search field: -![](https://images.contentful.com/alneenqid6w5/tJYda31CZUUOCii0EcwmE/89481a9321a61fb50fd5463217d6760d/campo_busca.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-1.png) www.loja.com.br/cama @@ -47,25 +47,23 @@ Where: **C:\[DepartmentId/CategoryId/SubcategoryId\]**: Shows products of a specific category, according to the IDs informeds for the department, category and subcategory. This code appears next to category names on **Cadastro de Produtos -> Categoria**: -![](https://images.contentful.com/alneenqid6w5/44i8Rue6hiMmMs64wiks86/8f31981e162596d825190865cefd121e/id_categoria1.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-2.png) **NOTE: The category ID can also be found on your editing page, at the end of the url.** **B:\[IdMarca\]: **Shows products of a specific brand, according to the ID informed. This code is shown at the end of the URL, on the page used for changing the brand, in **Cadastro de Produtos > Marca**: -![](https://images.contentful.com/alneenqid6w5/2CuMf8UzCIkiYyMKUiIOcy/9c354e12e064bdb7f310611f7fc0ee41/id_marca.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-3.png) -
    -

    Warning: there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS.

    -
    +>⚠️ **Warning:** there are two ways to configure collections, through the CMS or the Collection module (Beta). This article is about how to configure collections through the CMS. **H:\[IdColeção\]**: Shows products of a specific collection, according to the ID informed. This code is informed in collection editing, in **Configurações > Portal > Portal folder > Coleções subfolder:** -![](https://images.contentful.com/alneenqid6w5/2vqAbADq0cUQO224YoOQAQ/7eef524621cbf80d9c37b37c9cc4099e/id_colecao.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-4.png) **spec\_fct\_\[IdCampoProduto/Sku\]:\[ValorBuscado\]: **Shows products whose product/sku field value, with the indicated ID, is equal to the value informed. This code can be found on the page used for changing a product/sku field, at the end of the url: -![](https://images.contentful.com/alneenqid6w5/7noRXDnenuSU4ugc8mmoSg/7a85e4ab97b87c00d4306c57c2462ecc/id_campo-560x386.png) +![](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/search-parameters-5.png) See below an example of use of this field: diff --git a/docs/tutorials/en/selecting-stock-for-orders-mercado-envios-full.md b/docs/tutorials/en/selecting-stock-for-orders-mercado-envios-full.md index 8f3593b09..f67b5ff3f 100644 --- a/docs/tutorials/en/selecting-stock-for-orders-mercado-envios-full.md +++ b/docs/tutorials/en/selecting-stock-for-orders-mercado-envios-full.md @@ -15,4 +15,4 @@ legacySlug: selecting-stock-for-orders-mercado-envios-full subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/service-indicators.md b/docs/tutorials/en/service-indicators.md index 5db290054..21e4d9c96 100644 --- a/docs/tutorials/en/service-indicators.md +++ b/docs/tutorials/en/service-indicators.md @@ -15,4 +15,4 @@ legacySlug: service-indicators subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/service-management.md b/docs/tutorials/en/service-management.md index 56ad9a134..6146c181d 100644 --- a/docs/tutorials/en/service-management.md +++ b/docs/tutorials/en/service-management.md @@ -15,4 +15,4 @@ legacySlug: service-management subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/services-import.md b/docs/tutorials/en/services-import.md index 2e80aac80..c02e5b75e 100644 --- a/docs/tutorials/en/services-import.md +++ b/docs/tutorials/en/services-import.md @@ -15,4 +15,4 @@ legacySlug: services-import subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/services-report.md b/docs/tutorials/en/services-report.md index e798ac5fd..349947de3 100644 --- a/docs/tutorials/en/services-report.md +++ b/docs/tutorials/en/services-report.md @@ -15,4 +15,4 @@ legacySlug: services-report subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/services-scheduling.md b/docs/tutorials/en/services-scheduling.md index 0f4aaba54..d0ceeb11b 100644 --- a/docs/tutorials/en/services-scheduling.md +++ b/docs/tutorials/en/services-scheduling.md @@ -15,4 +15,4 @@ legacySlug: services-scheduling subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/setting-up-bradesco-registered-ticket.md b/docs/tutorials/en/setting-up-bradesco-registered-ticket.md index 9c76e182c..8b52073d5 100644 --- a/docs/tutorials/en/setting-up-bradesco-registered-ticket.md +++ b/docs/tutorials/en/setting-up-bradesco-registered-ticket.md @@ -15,4 +15,4 @@ legacySlug: setting-up-bradesco-registered-ticket subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-itau-registered-ticket.md b/docs/tutorials/en/setting-up-itau-registered-ticket.md index 1ae6741c6..b9a94c20d 100644 --- a/docs/tutorials/en/setting-up-itau-registered-ticket.md +++ b/docs/tutorials/en/setting-up-itau-registered-ticket.md @@ -15,5 +15,5 @@ legacySlug: setting-up-itau-registered-ticket subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/setting-up-lendico-boleto-in-installments-as-a-payment-method.md b/docs/tutorials/en/setting-up-lendico-boleto-in-installments-as-a-payment-method.md index 3f1836f65..9121f074d 100644 --- a/docs/tutorials/en/setting-up-lendico-boleto-in-installments-as-a-payment-method.md +++ b/docs/tutorials/en/setting-up-lendico-boleto-in-installments-as-a-payment-method.md @@ -15,4 +15,4 @@ legacySlug: setting-up-lendico-boleto-in-installments-as-a-payment-method subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/setting-up-payment-with-paypal.md b/docs/tutorials/en/setting-up-payment-with-paypal.md index 108656e48..74167c4f8 100644 --- a/docs/tutorials/en/setting-up-payment-with-paypal.md +++ b/docs/tutorials/en/setting-up-payment-with-paypal.md @@ -45,6 +45,4 @@ Finally, click __Save__. That's it! Now the payment option will be displayed at PayPal checkout. After finishing purchase, the customer will be redirected to the PayPal environment to perform their authentication and fill in the credit card information. - +>⚠️ **Note:** Payments with installments are not currently supported for this payment method. diff --git a/docs/tutorials/en/setting-up-payments-with-55pay.md b/docs/tutorials/en/setting-up-payments-with-55pay.md index 837e693bb..b8397bd0e 100644 --- a/docs/tutorials/en/setting-up-payments-with-55pay.md +++ b/docs/tutorials/en/setting-up-payments-with-55pay.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-55pay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-aarin.md b/docs/tutorials/en/setting-up-payments-with-aarin.md index a1eac90c4..de8591160 100644 --- a/docs/tutorials/en/setting-up-payments-with-aarin.md +++ b/docs/tutorials/en/setting-up-payments-with-aarin.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-aarin subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-abastece-ai.md b/docs/tutorials/en/setting-up-payments-with-abastece-ai.md index e07eeb728..ff25d2d68 100644 --- a/docs/tutorials/en/setting-up-payments-with-abastece-ai.md +++ b/docs/tutorials/en/setting-up-payments-with-abastece-ai.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-abastece-ai subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-bom-pra-credito.md b/docs/tutorials/en/setting-up-payments-with-bom-pra-credito.md index 96442e64c..00ef907a1 100644 --- a/docs/tutorials/en/setting-up-payments-with-bom-pra-credito.md +++ b/docs/tutorials/en/setting-up-payments-with-bom-pra-credito.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-bom-pra-credito subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-dm-pag.md b/docs/tutorials/en/setting-up-payments-with-dm-pag.md index 91de643f6..0f6199a35 100644 --- a/docs/tutorials/en/setting-up-payments-with-dm-pag.md +++ b/docs/tutorials/en/setting-up-payments-with-dm-pag.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-dm-pag subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-dock.md b/docs/tutorials/en/setting-up-payments-with-dock.md index 8d349f31d..d03150d38 100644 --- a/docs/tutorials/en/setting-up-payments-with-dock.md +++ b/docs/tutorials/en/setting-up-payments-with-dock.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-dock subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-easypay-seller.md b/docs/tutorials/en/setting-up-payments-with-easypay-seller.md index 9ed192262..985f66c35 100644 --- a/docs/tutorials/en/setting-up-payments-with-easypay-seller.md +++ b/docs/tutorials/en/setting-up-payments-with-easypay-seller.md @@ -22,7 +22,7 @@ TYo use easypay affiliation in your marketplace, you need to: - [Install the easypay Seller Account app](#installing-the-easypay-seller-account-app) - [Configure the easypay Seller Account app](#configuring-the-easypay-seller-account-app) - +>⚠️ If you want to configure easypay for a non-seller context, read [Setting up payments with easypay](https://help.vtex.com/pt/tutorial/configurar-pagamento-com-easypay--3xJQqjMIn0ARDI1HcwK88J) or [Setting up payments with easypay marketplace](https://help.vtex.com/en/tutorial/setting-up-payments-with-easypay-marketplace--3YllWiITcPEOpteuToEdO7). ## Installing the easypay Seller Account app @@ -45,7 +45,7 @@ After installing the easypay Seller Account app, you need to configure it. To ac
    - Easypay Account UID: Identification of your seller account where purchase amounts from store sales will be deposited. To get this information, access the easypay environment, click the easypay logo at the top of the screen, and click the desired account. Copy and save the Account UID information. -![easypay_en_18](https://images.ctfassets.net/alneenqid6w5/72jPh8mwBcEqbtiCBU09Bm/2e4dd4665f90512068d9f145b7a81caa/easypay_en_18.png) +![easypay_en_18](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-seller-0.png)
    4. Click Save. diff --git a/docs/tutorials/en/setting-up-payments-with-easypay.md b/docs/tutorials/en/setting-up-payments-with-easypay.md index e893751f8..be552b172 100644 --- a/docs/tutorials/en/setting-up-payments-with-easypay.md +++ b/docs/tutorials/en/setting-up-payments-with-easypay.md @@ -25,7 +25,7 @@ To use easypay, you need to: - [Configure the easypay affiliation](#configure-the-easypay-affiliation) - [Configure payment with Apple Pay on easypay (optional)](#configure-payment-with-apple-pay-on-easypay-optional) - +>⚠️ If you are a marketplace or seller, read [Configuring payment with easypay in a marketplace](https://help.vtex.com/en/tutorial/setting-up-payments-with-easypay-marketplace--3YllWiITcPEOpteuToEdO7) or [Configuring payment with easypay seller](https://help.vtex.com/en/tutorial/setting-up-payments-with-easypay-seller--5mYMCM1tiRiZO6PozuUncE). ## Install the easypay app @@ -48,9 +48,9 @@ Configuration is divided in four sections: - [easypay checkout customization (required)](#easypay-checkout-customization) - [Sandbox mode](#sandbox-mode) -![easypay_pt_1](https://images.ctfassets.net/alneenqid6w5/5SQRO4e7bYL1o8CG383UBE/03f939e9444e2655b4b9b540a4e521cc/easypay_pt_1.png) +![easypay_pt_1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-0.png) - +>⚠️ You must set up the following configurations in the [easypay environment](https://backoffice.easypay.pt/). easypay controls these settings, therefore, VTEX does not guarantee that the steps below will be permanently updated. Use this document as a reference and check your [easypay environment](https://backoffice.easypay.pt/) for up-to-date information. ### easypay credentials @@ -60,29 +60,29 @@ __Key ID e Key Value__: easypay key value and ID.
    1. In the easypay environment, click the easypay logo in the top left corner of the screen and the arrow of the desired account. -![easypay_pt_2](https://images.ctfassets.net/alneenqid6w5/53o4nqsgB92I5zBOt2gpwv/0f8e3401fc6b08160fede1cc08cc49ec/easypay_pt_2.PNG) +![easypay_pt_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-1.PNG)
    2. Go to Web Services > Configuration API 2.0 > Keys. -![easypay_en_3](https://images.ctfassets.net/alneenqid6w5/3Qrv6zVnD0aUq4bqHXgrlk/7a37b868b1d80e24001ad58e3debeee8/easypay_en_3.png) +![easypay_en_3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-2.png)
    3. Copy and save the ID and Key information. -![easypay_en_4](https://images.ctfassets.net/alneenqid6w5/32OyO0qBLXPTJ0aZpXsQIv/9cd6f593c3f473726fc0380c0688d219/easypay_en_4.png) +![easypay_en_4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-3.png) __Merchant account UID__: identification of the merchant account where purchase amounts from store sales will be deposited. If there is no separate merchant account, you can use the "Account UID" of the payment account.
    1. In the easypay environment, click the easypay logo in the top left corner of the screen, then click the arrow on the "MERCHANT 1" account. -![easypay_pt_5](https://images.ctfassets.net/alneenqid6w5/gQE8fL64YRCCggxVZB7qX/8e130d01b3cc65871f540233b1693df5/easypay_pt_5.PNG) +![easypay_pt_5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-4.PNG)
    2. Copy and save the Account UID information. -![easypay_en_6](https://images.ctfassets.net/alneenqid6w5/3S2dkHv1WmJSyAVVn3salh/e15357e9cfb846850ada8bfeda405d48/easypay_en_6.png) +![easypay_en_6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-5.png) __Margin account UID__: identification of the margin account. - +>ℹ️ This field should only be completed if the store is a marketplace and splits payments. Learn more in the [Configuring payment with easypay in a marketplace](https://help.vtex.com/en/tutorial/setting-up-payments-with-easypay-marketplace--3YllWiITcPEOpteuToEdO7) article. __Refund account ID and Refund account key__: If there is no specific refund account, the __Key ID__ value must be entered in the __Refund account ID__ field, and the __Key value__ in the __Refund account key__. @@ -90,7 +90,7 @@ __Refund account ID and Refund account key__: If there is no specific refund acc In this section, you must indicate whether your store will use asynchronous and/or synchronous payments. See the easypay documentation to check the available [payment methods](https://docs.quality-utility.aws.easypay.pt/concepts/payment-methods) and their identification [acronyms](https://docs.quality-utility.aws.easypay.pt/checkout/reference). -![easypay_pt_7](https://images.ctfassets.net/alneenqid6w5/2Im2zLusDEAguft1GN8uf3/216d2af1607b93c016263a0e59110736/easypay_pt_7.PNG) +![easypay_pt_7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-6.PNG) __Accepted asynchronous payment types__: asynchronous payment methods available to the customer. Only enter the acronyms of the asynchronous payment types, separated by commas without periods or spaces. @@ -100,7 +100,7 @@ Example: | ---------------- | ---------------- | | mb,dd,vi,sc | mb, dd, vi, sc | - +>⚠️ If you complete this field, you must also complete the **Expiration days for asynchronous payments** field. __Accepted synchronous payment types__: synchronous payment methods available to the customer. Only enter the acronyms of the synchronous payment types, separated by commas without periods or spaces. @@ -122,7 +122,7 @@ Example: easypay has a native checkout layout configured in the app. See below: -![easypay_pt_8](https://images.ctfassets.net/alneenqid6w5/1xcsW6xpPx79OOnA2dB1zw/cfa4f96a4bfb561424245c9a119f4ed2/easypay_pt_8.PNG) +![easypay_pt_8](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-7.PNG) If you want to customize easypay's native checkout, complete one or more fields in this section: @@ -160,7 +160,7 @@ Example: | ---------------- | ---------------- | | 11 | 11px | - +>⚠️ Do not use fonts over 12 pixels, as they can blur the layout. ### Sandbox mode @@ -174,7 +174,7 @@ To configure the easypay webhook, follow the steps below:
    1. In the easypay environment, click the easypay logo in the top left corner of the screen, then click the arrow of the desired account. -![easypay_pt_2](https://images.ctfassets.net/alneenqid6w5/53o4nqsgB92I5zBOt2gpwv/0f8e3401fc6b08160fede1cc08cc49ec/easypay_pt_2.PNG) +![easypay_pt_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-8.PNG)
    2. Go to Web Services > URL Configuration. @@ -182,7 +182,7 @@ To configure the easypay webhook, follow the steps below: `https://{your-account-name}.myvtex.com/_v/easypaypartnerpt.payment-provider-easypay/webhook` -![easypay_en_9](https://images.ctfassets.net/alneenqid6w5/2f7UMqQzrIqNbtslGCFxyC/a07d223716625952489b062874cf0aab/easypay_en_9.png) +![easypay_en_9](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/setting-up-payments-with-easypay-9.png)
    4. Click Submit. diff --git a/docs/tutorials/en/setting-up-payments-with-meliuz.md b/docs/tutorials/en/setting-up-payments-with-meliuz.md index c127f0b1a..e8963530b 100644 --- a/docs/tutorials/en/setting-up-payments-with-meliuz.md +++ b/docs/tutorials/en/setting-up-payments-with-meliuz.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-meliuz subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-nupay.md b/docs/tutorials/en/setting-up-payments-with-nupay.md index f28d5fa5c..4b740acce 100644 --- a/docs/tutorials/en/setting-up-payments-with-nupay.md +++ b/docs/tutorials/en/setting-up-payments-with-nupay.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-nupay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-pagaleve.md b/docs/tutorials/en/setting-up-payments-with-pagaleve.md index cda167ee5..659f43a36 100644 --- a/docs/tutorials/en/setting-up-payments-with-pagaleve.md +++ b/docs/tutorials/en/setting-up-payments-with-pagaleve.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-pagaleve subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-pagoefectivo.md b/docs/tutorials/en/setting-up-payments-with-pagoefectivo.md index ca0e3fa0c..549aff89f 100644 --- a/docs/tutorials/en/setting-up-payments-with-pagoefectivo.md +++ b/docs/tutorials/en/setting-up-payments-with-pagoefectivo.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-pagoefectivo subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-parcelex.md b/docs/tutorials/en/setting-up-payments-with-parcelex.md index 7d75c04ca..cdcdffdcc 100644 --- a/docs/tutorials/en/setting-up-payments-with-parcelex.md +++ b/docs/tutorials/en/setting-up-payments-with-parcelex.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-parcelex subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-payments-with-virtuspay.md b/docs/tutorials/en/setting-up-payments-with-virtuspay.md index 590ed3a84..0f81cc997 100644 --- a/docs/tutorials/en/setting-up-payments-with-virtuspay.md +++ b/docs/tutorials/en/setting-up-payments-with-virtuspay.md @@ -15,4 +15,4 @@ legacySlug: setting-up-payments-with-virtuspay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/setting-up-pix-as-a-payment-method.md b/docs/tutorials/en/setting-up-pix-as-a-payment-method.md index 64e190589..08f02ef87 100644 --- a/docs/tutorials/en/setting-up-pix-as-a-payment-method.md +++ b/docs/tutorials/en/setting-up-pix-as-a-payment-method.md @@ -15,4 +15,4 @@ legacySlug: setting-up-pix-as-a-payment-method subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/setting-up-webpay2p-gateway.md b/docs/tutorials/en/setting-up-webpay2p-gateway.md index 0b049aa44..da6940369 100644 --- a/docs/tutorials/en/setting-up-webpay2p-gateway.md +++ b/docs/tutorials/en/setting-up-webpay2p-gateway.md @@ -15,5 +15,5 @@ legacySlug: setting-up-webpay2p-gateway subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ This is a regional exclusive content not applicable to +> English speaking countries. diff --git a/docs/tutorials/en/shopee-integration.md b/docs/tutorials/en/shopee-integration.md index dcbb4aa96..dc5f2c6e4 100644 --- a/docs/tutorials/en/shopee-integration.md +++ b/docs/tutorials/en/shopee-integration.md @@ -3,12 +3,12 @@ title: 'Shopee Integration' id: 5OV9idUY6fHu3P8grnCnqj status: PUBLISHED createdAt: 2022-09-05T19:33:02.717Z -updatedAt: 2024-04-17T16:10:43.661Z -publishedAt: 2024-04-17T16:10:43.661Z +updatedAt: 2024-09-04T13:20:57.644Z +publishedAt: 2024-09-04T13:20:57.644Z firstPublishedAt: 2022-09-06T01:42:40.106Z contentType: tutorial productTeam: Channels -author: 46G4yHIZerH7B9Jo0Iw5KI +author: 2p7evLfTcDrhc5qtrzbLWD slug: shopee-integration locale: en legacySlug: shopee-integration @@ -16,5 +16,5 @@ subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/sms-and-email-report.md b/docs/tutorials/en/sms-and-email-report.md index 0e068f34e..3b9d21411 100644 --- a/docs/tutorials/en/sms-and-email-report.md +++ b/docs/tutorials/en/sms-and-email-report.md @@ -15,4 +15,4 @@ legacySlug: sms-and-email-report subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/stock-and-carriers.md b/docs/tutorials/en/stock-and-carriers.md index 2839b5544..81cb0f079 100644 --- a/docs/tutorials/en/stock-and-carriers.md +++ b/docs/tutorials/en/stock-and-carriers.md @@ -18,5 +18,5 @@ subcategory: After registering your catalog, it's time to register your carriers, the quantity of items in your inventory and the transport values. _The video bellow has not yet been translated. We appreciate your comprehension._ - + diff --git a/docs/tutorials/en/store-settings-overview.md b/docs/tutorials/en/store-settings-overview.md index 6b4c07773..72adfd403 100644 --- a/docs/tutorials/en/store-settings-overview.md +++ b/docs/tutorials/en/store-settings-overview.md @@ -19,9 +19,7 @@ subcategory: 5RAUzLD6X9Wa1maenj1eGA To access this feature, click __Store Settings__ on the left navigation menu, and click on the desired section. - +>⚠️ Note that the settings you had configured in the previous environment have not changed. We have only rearranged how you reach them. Check out more details about the different sections and pages of this menu below. diff --git a/docs/tutorials/en/support-indicators.md b/docs/tutorials/en/support-indicators.md index 7cb6b5eb8..e82ebc224 100644 --- a/docs/tutorials/en/support-indicators.md +++ b/docs/tutorials/en/support-indicators.md @@ -15,4 +15,4 @@ legacySlug: support-indicators subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ The VTEX Tracking solution is currently available exclusively in Brazil. Therefore, this content is only presented in Portuguese. diff --git a/docs/tutorials/en/tutorial-vtex-tracking-mobile-app.md b/docs/tutorials/en/tutorial-vtex-tracking-mobile-app.md index efa81defc..ed9b993e4 100644 --- a/docs/tutorials/en/tutorial-vtex-tracking-mobile-app.md +++ b/docs/tutorials/en/tutorial-vtex-tracking-mobile-app.md @@ -15,4 +15,4 @@ legacySlug: tutorial-vtex-tracking-mobile-app subcategory: 6pbaGm24tlXta7TKTtMc5l --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/understand-vtex-payment-fees.md b/docs/tutorials/en/understand-vtex-payment-fees.md index 7861b6eac..318109edb 100644 --- a/docs/tutorials/en/understand-vtex-payment-fees.md +++ b/docs/tutorials/en/understand-vtex-payment-fees.md @@ -15,4 +15,4 @@ legacySlug: understand-vtex-payment-fees subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/understand-your-balance.md b/docs/tutorials/en/understand-your-balance.md index 031f0f9f0..44c22ebf9 100644 --- a/docs/tutorials/en/understand-your-balance.md +++ b/docs/tutorials/en/understand-your-balance.md @@ -15,4 +15,4 @@ legacySlug: understand-your-balance subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/understanding-b2b-orders.md b/docs/tutorials/en/understanding-b2b-orders.md index 882862ea5..075e3fbe9 100644 --- a/docs/tutorials/en/understanding-b2b-orders.md +++ b/docs/tutorials/en/understanding-b2b-orders.md @@ -19,7 +19,7 @@ In B2B e-commerce operations, it is often necessary to inform an order's status The **B2B Orders** app makes this process simple, allowing any employee to consult the company's orders through its online store. -![orders VTEX B2B](https://images.ctfassets.net/alneenqid6w5/VNG3045dKhkQBgG1ZTxOl/d239fe8c9794fb3aa7fb29a4c0623635/Screenshot_2020-10-20_VTEX_B2B.png) +![orders VTEX B2B](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/understanding-b2b-orders-0.png) This self-service experience is possible, thanks to API integration with the ERP. With this, the employee can search for orders by: @@ -27,10 +27,9 @@ This self-service experience is possible, thanks to API integration with the ERP - **ERP order number:** identification number of the order placed through the store ERP. - **My order:** identification number associated with the customer who made the purchase. -
    -

    This app is only available for stores developed using - VTEX IO.

    Before proceeding, you need to install and configure B2B orders on your store.

    -
    +>⚠️ This app is only available for stores developed using +> [VTEX IO](https://vtex.com/br-pt/store-framework/). +> Before proceeding, you need to install and configure B2B orders on your store. ## Context diff --git a/docs/tutorials/en/uploading-a-product-xml.md b/docs/tutorials/en/uploading-a-product-xml.md index 4466a6952..4347450e7 100644 --- a/docs/tutorials/en/uploading-a-product-xml.md +++ b/docs/tutorials/en/uploading-a-product-xml.md @@ -19,5 +19,5 @@ subcategory: pwxWmUu7T222QyuGogs68 _The video presented in this tutorial has not yet been translated to english. We are working to offer more english-language content. Thank you for the comprehension._ - + diff --git a/docs/tutorials/en/url-de-callback-de-pedidos-da-via.md b/docs/tutorials/en/url-de-callback-de-pedidos-da-via.md index d145b208b..605fea25e 100644 --- a/docs/tutorials/en/url-de-callback-de-pedidos-da-via.md +++ b/docs/tutorials/en/url-de-callback-de-pedidos-da-via.md @@ -15,4 +15,4 @@ legacySlug: url-de-callback-de-pedidos-da-via subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/usuarios-vtex-tracking.md b/docs/tutorials/en/usuarios-vtex-tracking.md index b0b2043ef..28926ec54 100644 --- a/docs/tutorials/en/usuarios-vtex-tracking.md +++ b/docs/tutorials/en/usuarios-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: usuarios-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/veiculos-vtex-tracking.md b/docs/tutorials/en/veiculos-vtex-tracking.md index 03aa08bdb..248e2183e 100644 --- a/docs/tutorials/en/veiculos-vtex-tracking.md +++ b/docs/tutorials/en/veiculos-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: veiculos-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/via-inventory-integration-errors.md b/docs/tutorials/en/via-inventory-integration-errors.md index 7782693d6..e125536ba 100644 --- a/docs/tutorials/en/via-inventory-integration-errors.md +++ b/docs/tutorials/en/via-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: via-inventory-integration-errors subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ This is a regional exclusive content not applicable to  +> English speaking countries. diff --git a/docs/tutorials/en/vtex-global-category-submission-errors.md b/docs/tutorials/en/vtex-global-category-submission-errors.md index 5da971c57..943a3210a 100644 --- a/docs/tutorials/en/vtex-global-category-submission-errors.md +++ b/docs/tutorials/en/vtex-global-category-submission-errors.md @@ -15,4 +15,4 @@ legacySlug: vtex-global-category-submission-errors subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-insurance.md b/docs/tutorials/en/vtex-insurance.md index 133a613ed..223fc3ffb 100644 --- a/docs/tutorials/en/vtex-insurance.md +++ b/docs/tutorials/en/vtex-insurance.md @@ -61,15 +61,13 @@ After installing VTEX Insurance, you need to complete the Catalog setup to cover 7. [Create an insurance product](https://help.vtex.com/en/tutorial/products-and-skus-beta--2ig7TmROlirWirZjFWZ3By). -8. [Create insurance SKUs](https://help.vtex.com/en/tutorial/sku-registration-fields--21DDItuEQc6mseiW8EakcY). We recommend creating more than three SKUs for each insurance.![Insurance - SKUs](https://images.ctfassets.net/alneenqid6w5/7z6EX1cFT3l5wmnlX5LQk1/e1b53a46f844d679277074c59386b0de/image3.png) +8. [Create insurance SKUs](https://help.vtex.com/en/tutorial/sku-registration-fields--21DDItuEQc6mseiW8EakcY). We recommend creating more than three SKUs for each insurance.![Insurance - SKUs](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-0.png) 9. [Bind the created SKUs](https://help.vtex.com/en/tutorial/sku-bindings--1SmrVgNwjJX17hdqwLa0TX) to the Assurant seller. 10. [Bind the insurance to the desired](https://help.vtex.com/en/tutorial/adding-specifications-or-product-fields--tutorials_106) product. - +>ℹ️ You need to repeat this process for all categories and products that offer insurance coverage. ## Configuring Insurance After setting up the catalog, your store will have the products bound to insurance. In **Insurance** > **Configuration**, complete the VTEX Insurance setup. @@ -77,7 +75,7 @@ After setting up the catalog, your store will have the products bound to insuran Follow the steps below to set up your VTEX Insurance app. ### Company Information -![Insurance Configuration](https://images.ctfassets.net/alneenqid6w5/27tKnogbpFLSaeGPW4OnkZ/b779f15fc609605bb8c26452fa596251/image5.png) +![Insurance Configuration](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-1.png) 1. Complete the following information: - **Email**: Store email. - **Name**: Store name. @@ -92,7 +90,7 @@ Follow the steps below to set up your VTEX Insurance app. ### Items bound to insurance items -![Items Bound to Source Items](https://images.ctfassets.net/alneenqid6w5/6E68A1BaKeUzAgZuzD7KIY/3aa3ac21584d7226965e0584eb738150/image2.png) +![Items Bound to Source Items](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-2.png) 1. Select the codes that correspond to the insurance types you want for the collection you have created. @@ -102,14 +100,14 @@ If you want to bind more than one insurance plan, such as **Theft and Qualified ### Warranty field name -![Warranty Field Name](https://images.ctfassets.net/alneenqid6w5/215SqlxeJ3yFSZjfGnuJRl/c7440e8c3189d41c05d3a837cec3e273/image8.png) +![Warranty Field Name](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-3.png) 1. Specify the manufacturer's warranty field, indicating the name of the warranty used in the catalog. 2. Click `Submit`. ### Insurance attachment setup -![Insurance Attachement Setup](https://images.ctfassets.net/alneenqid6w5/7wpyDOdmdsK2VqOOUbqrfr/0cc20efa1f556b1cd5ed82e97f456ced/insurance_attachement_setup.png) +![Insurance Attachement Setup](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-4.png) 1. [Add an](https://help.vtex.com/en/tutorial/adding-an-attachment--7zHMUpuoQE4cAskqEUWScU) attachment for Assurant with the information received from the support team when contracting the service. @@ -120,7 +118,7 @@ If you want to bind more than one insurance plan, such as **Theft and Qualified 4. Click `Save`. ### Manual pricing setup -![Manual Pricing](https://images.ctfassets.net/alneenqid6w5/a1wDUYo5UhkR09keQU6WG/c35b802ce82a4b0ddb077c7d62cae53e/image11.png) +![Manual Pricing](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/en/vtex-insurance-5.png) 1. [Activate the manual pricing](https://help.vtex.com/en/tutorial/change-the-price-of-an-item-in-the-shopping-cart--7Cd37aCAmtL1qmoZJJvjNf) in your store. diff --git a/docs/tutorials/en/vtex-payment-customer-service.md b/docs/tutorials/en/vtex-payment-customer-service.md index 64fcc4838..904ffc864 100644 --- a/docs/tutorials/en/vtex-payment-customer-service.md +++ b/docs/tutorials/en/vtex-payment-customer-service.md @@ -15,4 +15,4 @@ legacySlug: vtex-payment-customer-service subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-shipping-network-correios-activation.md b/docs/tutorials/en/vtex-shipping-network-correios-activation.md index 316a3290c..e35871056 100644 --- a/docs/tutorials/en/vtex-shipping-network-correios-activation.md +++ b/docs/tutorials/en/vtex-shipping-network-correios-activation.md @@ -15,6 +15,4 @@ legacySlug: vtex-shipping-network-correios-activation subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/vtex-shipping-network-correios-faq.md b/docs/tutorials/en/vtex-shipping-network-correios-faq.md index 9c26c3628..149ee8eb6 100644 --- a/docs/tutorials/en/vtex-shipping-network-correios-faq.md +++ b/docs/tutorials/en/vtex-shipping-network-correios-faq.md @@ -15,5 +15,4 @@ legacySlug: vtex-shipping-network-correios-faq subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/vtex-tracking-agencies.md b/docs/tutorials/en/vtex-tracking-agencies.md index bbc6be574..f2efce73c 100644 --- a/docs/tutorials/en/vtex-tracking-agencies.md +++ b/docs/tutorials/en/vtex-tracking-agencies.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-agencies subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-tracking-branch.md b/docs/tutorials/en/vtex-tracking-branch.md index 1218001c5..cb6b033bb 100644 --- a/docs/tutorials/en/vtex-tracking-branch.md +++ b/docs/tutorials/en/vtex-tracking-branch.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-branch subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-tracking-carriers.md b/docs/tutorials/en/vtex-tracking-carriers.md index 9a442102b..004ac1bd6 100644 --- a/docs/tutorials/en/vtex-tracking-carriers.md +++ b/docs/tutorials/en/vtex-tracking-carriers.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-carriers subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-tracking-chat-incidences.md b/docs/tutorials/en/vtex-tracking-chat-incidences.md index a06498723..abd7d79ad 100644 --- a/docs/tutorials/en/vtex-tracking-chat-incidences.md +++ b/docs/tutorials/en/vtex-tracking-chat-incidences.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-chat-incidences subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-tracking-partners.md b/docs/tutorials/en/vtex-tracking-partners.md index b378f1bba..c3cc09b85 100644 --- a/docs/tutorials/en/vtex-tracking-partners.md +++ b/docs/tutorials/en/vtex-tracking-partners.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-partners subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/vtex-tracking-status-change.md b/docs/tutorials/en/vtex-tracking-status-change.md index 54a81b336..675b48c6c 100644 --- a/docs/tutorials/en/vtex-tracking-status-change.md +++ b/docs/tutorials/en/vtex-tracking-status-change.md @@ -15,4 +15,4 @@ legacySlug: vtex-tracking-status-change subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/en/what-is-a-dispute.md b/docs/tutorials/en/what-is-a-dispute.md index bdb8aca49..036185ed1 100644 --- a/docs/tutorials/en/what-is-a-dispute.md +++ b/docs/tutorials/en/what-is-a-dispute.md @@ -15,4 +15,4 @@ legacySlug: what-is-a-dispute subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/what-to-do-when-a-customer-opens-dispute.md b/docs/tutorials/en/what-to-do-when-a-customer-opens-dispute.md index a0b5ce986..5c0435a83 100644 --- a/docs/tutorials/en/what-to-do-when-a-customer-opens-dispute.md +++ b/docs/tutorials/en/what-to-do-when-a-customer-opens-dispute.md @@ -15,4 +15,4 @@ legacySlug: what-to-do-when-a-customer-opens-a-vtex-payment-dispute subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ This is a regional exclusive content not applicable to English speaking countries. diff --git a/docs/tutorials/en/when-will-money-from-sale-be-credited-to-my-account.md b/docs/tutorials/en/when-will-money-from-sale-be-credited-to-my-account.md index 4f398b906..4f4985cc8 100644 --- a/docs/tutorials/en/when-will-money-from-sale-be-credited-to-my-account.md +++ b/docs/tutorials/en/when-will-money-from-sale-be-credited-to-my-account.md @@ -15,4 +15,4 @@ legacySlug: when-will-money-from-sale-be-credited-to-my-account subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Content under translation. diff --git a/docs/tutorials/es/account-summary.md b/docs/tutorials/es/account-summary.md index b4f41b2a2..895ab7e19 100644 --- a/docs/tutorials/es/account-summary.md +++ b/docs/tutorials/es/account-summary.md @@ -15,4 +15,4 @@ legacySlug: resumen-de-la-cuenta subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/accounts-payable-brazil.md b/docs/tutorials/es/accounts-payable-brazil.md index dd8299ca3..cbc47c859 100644 --- a/docs/tutorials/es/accounts-payable-brazil.md +++ b/docs/tutorials/es/accounts-payable-brazil.md @@ -15,5 +15,5 @@ legacySlug: procedimientos-de-cuentas-a-pagar subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>⚠️ Este conteúdo é exclusivamente regional e portanto, não aplicável a países de língua portuguesa. +> La versión en español está disponible en [Cuentas por Pagar - Internacional](https://help.vtex.com/es/tutorial/accounts-payable-international--3yea9sIlsA0KgUC28ASCGs) diff --git a/docs/tutorials/es/accounts-payable-international.md b/docs/tutorials/es/accounts-payable-international.md index ed524821a..f95c08a21 100644 --- a/docs/tutorials/es/accounts-payable-international.md +++ b/docs/tutorials/es/accounts-payable-international.md @@ -15,7 +15,7 @@ legacySlug: procedimiento-de-cuentas-a-pagar-internacional subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>ℹ️ **Procedimiento destinado a todas las sucursales VTEX, excepto Brasil.** Para garantizar la conformidad de todos los pagos realizados fuera del Brasil, se debe hacer el siguiente procedimiento: diff --git a/docs/tutorials/es/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md b/docs/tutorials/es/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md index 1b05e2bec..ee74b1e7e 100644 --- a/docs/tutorials/es/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md +++ b/docs/tutorials/es/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md @@ -17,30 +17,28 @@ subcategory: 14V5ezEX0cewOMg0o0cYM6 Para habilitar el inicio de sesión por OAuth2 vía Google, usted necesita acceder al VTEX ID por su Admin y rellenar los campos `Client ID` y `Client Secret`, como se detalla en [este artículo](/pt/tutorial/integracao-google-e-facebook-para-login). -![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/cc91e8a5001c41693ea671d5da3c690e/google_ES.png) +![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-0.png) Estos valores se obtienen de un proyecto que debe ser creado en el servicio de APIs de la plataforma de Google Cloud Platform. De manera simplificada, solo siga los pasos que se indican a continuación: - +>⚠️ Los siguientes pasos describen procedimientos en una plataforma externa y pueden estar desactualizados. Se puede encontrar más información sobre estos procedimientos en los artículos [Setting up OAuth 2.0](https://support.google.com/cloud/answer/6158849) y [OpenID Connect](https://developers.google.com/identity/protocols/oauth2/openid-connect) de documentación de Google. 1. Entre en el enlace [`https://console.developers.google.com/`](https://console.developers.google.com/); 2. Haga clic en __Credenciales__, en la pestaña lateral; 3. Haga clic en __Crear Proyecto__; - ![Criar Projeto Google ES](https://images.ctfassets.net/alneenqid6w5/7d7axXgcKs8SKcG0YekU8m/7ae1980ea25092ef02e7f1952370fbd9/Criar_Projeto_Google_ES.png) + ![Criar Projeto Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-1.png) 4. Defina el nombre del proyecto y haga clic en __Crear__; - ![Novo Projeto Google ES](https://images.ctfassets.net/alneenqid6w5/1PB6BTeU4I6YOqySuwcS4W/56b4d080ea4da99a5d626fc3c0329261/Novo_Projeto_Google_ES.png) + ![Novo Projeto Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-2.png) 5. En la parte superior de la página, haga clic en el botón __Crear credenciales__; - ![Criar Credenciais Google ES](https://images.ctfassets.net/alneenqid6w5/5bGcIsahuvFskIQBn8X8bl/25ac7be759c40d281dc4bd2cb817ecc4/Criar_Credenciais_Google_ES.png) + ![Criar Credenciais Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-3.png) 6. Haga clic en la opción __ID de cliente de OAuth__; - ![ID cliente OAuth Google ES](https://images.ctfassets.net/alneenqid6w5/5CBmKjKYTYOMkkQImIMcI4/4a2d0e88620740449f9240d87e8dec7e/ID_cliente_OAuth_Google_ES.png) + ![ID cliente OAuth Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-4.png) 7. Haga clic en el botón __Configurar página de consentimiento__; - ![Configurar Tela Consentimento Google ES](https://images.ctfassets.net/alneenqid6w5/3mprVJpYy6wdtJJEhhbi1s/9db551614331a844bf870661fac5d7bf/Configurar_Tela_Consentimento_Google_ES.png) + ![Configurar Tela Consentimento Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-5.png) 8. Elija el tipo de usuario que desea para su tienda (__Interno__ o __Externo__) y haga clic en el botón __Crear__; - ![Tipo usuário Google ES](https://images.ctfassets.net/alneenqid6w5/yxxE4AdTY0yuNClfZwXHL/f153fed0cf0864141b55c83932558d28/Tipo_usu__rio_ES.png) + ![Tipo usuário Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-6.png) 9. __Nombre de aplicación__: se mostrará a sus clientes al iniciar sesión; 10. __Correo electrónico de asistencia del usuario__: para que los usuarios se comuniquen contigo si tienen preguntas sobre su consentimiento; 11. __Logotipo de la app__: corresponde al logotipo de su tienda; @@ -49,19 +47,19 @@ Los siguientes pasos describen procedimientos en una plataforma externa y pueden - `vtex.com.br`, referente a nuestros servidores BackEnd. 13. __Información de contacto del desarrollador__: Google enviará notificaciones sobre cualquier cambio en tu proyecto a estas direcciones de correo electrónico; 14. Haga clic en el botón __Guardar y continuar__; - ![Configurações Tela Consentimento ES](https://images.ctfassets.net/alneenqid6w5/2jKyTCl5FeeMsS2iAw0aKa/4db11d3ef54d615651a84aafe086df4c/Configura____es_Tela_Consentimento_ES.png) + ![Configurações Tela Consentimento ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-7.png) 13. Haga clic en __Credenciales__, en el menú lateral izquierdo; 14. Elija __Aplicación web__, en Tipo de aplicación; - ![Credenciais Aplicativo Web Google ES](https://images.ctfassets.net/alneenqid6w5/1sq6ByDBoYtGLeiU3Xsmgx/7253773b80efb5e1c5d1074dec6a578e/Credenciais_Aplicativo_Web_Google_ES.png) + ![Credenciais Aplicativo Web Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-8.png) 15. __Nombre__: para identificación interna; 16. __Orígenes de JavaScript autorizados__: registrar las direcciones exactas que podrán usar este método de autenticación, lo que corresponde a su sitio web; por ejemplo, `https://www.tienda.com`. También se recomienda registrar la dirección `https://{{accountName}}.myvtex.com` de su cuenta, `{{accountName}}` es el nombre de la cuenta como se describe en el menú de administración de la tienda; 17. __URIs de redireccionamiento autorizados__: registrar la URL de servicio de VTEX: -`https://vtexid.vtex.com.br/VtexIdAuthSiteKnockout/ReceiveAuthorizationCode.ashx` - ![Configurações Aplicativo Web Google ES](https://images.ctfassets.net/alneenqid6w5/4HsRII0LeoGMYqWoioWi0o/56174b702c831b3154fac9e2dbc45e21/Configura____es_Aplicativo_Web_ES.png) + ![Configurações Aplicativo Web Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-9.png) 18. Después de completar este ajuste, se presentarán sus credenciales: - ![Cliente OAuth criado Google ES](https://images.ctfassets.net/alneenqid6w5/58KAqlnXhKoAqgq6Gcc80K/7d36d109c612b4efa19410bd65da54c1/Cliente_OAuth_criado_Google_ES.png) + ![Cliente OAuth criado Google ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-10.png) - Copie el __ID de cliente__ de Google y péguelo en el campo `Client Id` en el Admin de VTEX ID. - Copie su __clave secreta de cliente__ de Google y péguelo en el campo `Client Secret` en el Admin de VTEX ID. - ![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/cc91e8a5001c41693ea671d5da3c690e/google_ES.png) + ![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/registrar-client-id-y-client-secret-para-inicio-de-sesion-con-google-11.png) Una vez que haya completado todos estos pasos, guarde los cambios. diff --git a/docs/tutorials/es/adding-your-brands.md b/docs/tutorials/es/adding-your-brands.md index d0bbdc57d..f1969931c 100644 --- a/docs/tutorials/es/adding-your-brands.md +++ b/docs/tutorials/es/adding-your-brands.md @@ -19,4 +19,4 @@ Se requiere el [registro de marca](/es/tutorial/registrando-marcas) para la acti _El video presentado en este artículo aún no se ha traducido al español. Estamos trabajando para ofrecer más contenido en español. Gracias por la comprensión._ - + diff --git a/docs/tutorials/es/amaro-integration.md b/docs/tutorials/es/amaro-integration.md index c9a979cb2..3fdee4740 100644 --- a/docs/tutorials/es/amaro-integration.md +++ b/docs/tutorials/es/amaro-integration.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-amaro subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/amazon-integration-configuration-errors.md b/docs/tutorials/es/amazon-integration-configuration-errors.md index 8a9737af2..e9371dd94 100644 --- a/docs/tutorials/es/amazon-integration-configuration-errors.md +++ b/docs/tutorials/es/amazon-integration-configuration-errors.md @@ -15,4 +15,4 @@ legacySlug: errores-de-configuracion-en-la-integracion-de-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/amazon-missing-required-attributes-errors.md b/docs/tutorials/es/amazon-missing-required-attributes-errors.md index d89684f31..320c75f6d 100644 --- a/docs/tutorials/es/amazon-missing-required-attributes-errors.md +++ b/docs/tutorials/es/amazon-missing-required-attributes-errors.md @@ -15,4 +15,4 @@ legacySlug: errores-debidos-a-la-ausencia-de-atributos-obligatorios-en-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/amazon-token-permission-errors.md b/docs/tutorials/es/amazon-token-permission-errors.md index e971ee499..cd4c3bdd8 100644 --- a/docs/tutorials/es/amazon-token-permission-errors.md +++ b/docs/tutorials/es/amazon-token-permission-errors.md @@ -15,4 +15,4 @@ legacySlug: errores-de-token-permiso-de-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/application-keys.md b/docs/tutorials/es/application-keys.md index 37bf2921b..a41c3fb46 100644 --- a/docs/tutorials/es/application-keys.md +++ b/docs/tutorials/es/application-keys.md @@ -156,5 +156,5 @@ Para reactivar las claves de aplicación externas que se hayan desactivado previ Si es necesario para una auditoría de seguridad, puedes exportar un archivo CSV que contenga los valores **Clave** de todas las claves de aplicación internas y externas que actualmente tienen acceso a tu cuenta, es decir, con roles asociados a la misma. -Para exportar las claves, accede a _Configuración de la cuenta > Claves de aplicación > export-button Exportar. +Para exportar las claves, accede a _Configuración de la cuenta > Claves de aplicación > export-button Exportar. diff --git a/docs/tutorials/es/asin-ean-brand-errors-on-amazon.md b/docs/tutorials/es/asin-ean-brand-errors-on-amazon.md index 844239e3f..64a0db97e 100644 --- a/docs/tutorials/es/asin-ean-brand-errors-on-amazon.md +++ b/docs/tutorials/es/asin-ean-brand-errors-on-amazon.md @@ -15,4 +15,4 @@ legacySlug: errores-de-asin-ean-marca-en-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/associate-a-sku-to-a-trade-policy.md b/docs/tutorials/es/associate-a-sku-to-a-trade-policy.md index 32148c8b6..cf99f71c3 100644 --- a/docs/tutorials/es/associate-a-sku-to-a-trade-policy.md +++ b/docs/tutorials/es/associate-a-sku-to-a-trade-policy.md @@ -15,9 +15,7 @@ legacySlug: asociacion-de-sku-a-una-politica-comercial subcategory: pwxWmUu7T222QyuGogs68 --- - +>⚠️ El siguiente tutorial es válido para asociar los SKU **ya existentes** a una determinada [Política Comercial](https://help.vtex.com/es/tutorial/crear-una-politica-comercial--563tbcL0TYKEKeOY4IAgAE). Para registrar un nuevo SKU, consulte el tutorial [Registrar SKU](https://help.vtex.com/es/tracks/catalogo-101--5AF0XfnjfWeopIFBgs3LIQ/17PxekVPmVYI4c3OCQ0ddJ). En la página de configuración de cada SKU, existe la opción de asociar solo aquel artículo con una o varias Políticas Comerciales. @@ -29,8 +27,6 @@ En la página de configuración de cada SKU, existe la opción de asociar solo a 6. Marque la casilla correspondiente a la Política Comercial del escenario B2B. 7. Al final de la página, haga clic en el botón `Guardar` para registrar los cambios. - +>⚠️ Si no se selecciona una política comercial específica en la configuración del SKU, todas las políticas comerciales tendrán acceso al SKU. Cada cambio realizado en un SKU necesita tiempo para procesarse completamente, incluidas las asociaciones a las Políticas Comerciales. Usted puede conocer más detalles en el artículo [Cómo funciona la indexación](https://help.vtex.com/es/tutorial/entendiendo-el-funcionamento-de-la-indexacion--tutorials_256). diff --git a/docs/tutorials/es/autocomplete.md b/docs/tutorials/es/autocomplete.md index 644627932..385d2426b 100644 --- a/docs/tutorials/es/autocomplete.md +++ b/docs/tutorials/es/autocomplete.md @@ -25,10 +25,7 @@ Autocomplete funciona según la información obtenida a través del historial de - Sugerencia de productos. - Términos más buscados. - +>⚠️ Cuando se busca un término no registrado, Autocomplete no encuentra productos con las especificaciones deseadas y no muestra ninguna sugerencia. Durante la interacción con la barra de búsqueda, VTEX Intelligent Search inmediatamente muestra el conjunto de Términos más buscados y Últimas búsquedas, si el cliente ya ha realizado alguna búsqueda. @@ -47,22 +44,22 @@ Otra ventaja para el administrador de la tienda es el aumento de conversión, qu En esta sección se muestran los términos más buscados por otros clientes dentro del sitio web. -![PT - Autocomplete termos mais pesquisados](https://images.ctfassets.net/alneenqid6w5/6gBULnYzroBY96Ler918qJ/de1f57f6942d1c1ec554246917f524a0/PT_-_Autocomplete_termos_mais_pesquisados.png) +![PT - Autocomplete termos mais pesquisados](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-0.png) ## Últimas búsquedas realizadas En esta sección se muestran las últimas búsquedas realizadas por el cliente. Así, es posible comenzar la interacción con la búsqueda instantáneamente. -![PT - Autocomplete historico](https://images.ctfassets.net/alneenqid6w5/1GXQ879Y9rEMXFKjVquys1/4f68e9d2277b02d56cb155ecf29fcfc6/PT_-_Autocomplete_historico.png) +![PT - Autocomplete historico](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-1.png) ## Sugerencia de búsquedas En esta sección se muestran los términos buscados por otros usuarios que se relacionan con la búsqueda realizada en ese momento. Además de términos, también se sugieren categorías relacionadas con la búsqueda. -![PT - Autocomplete sugestao termos](https://images.ctfassets.net/alneenqid6w5/2rOg8Q94A0F8VEbueLkXDS/34faeaa87bbf7989072e3dddec7f9b04/PT_-_Autocomplete_sugestao_termos.png) +![PT - Autocomplete sugestao termos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-2.png) ## Sugerencia de productos En esta sección se muestran los productos que coinciden con la búsqueda realizada en ese momento. Así, al mostrar productos relacionados con su búsqueda durante la escritura, se reducen las interrupciones y se le permite al usuario realizar una compra más dinámica. -![PT - Autocomplete sugestao de produtos](https://images.ctfassets.net/alneenqid6w5/1wXXgJr59cCCjz00DHA3nU/49288947b9326f3309ed7bea482a2331/PT_-_Autocomplete_sugestao_de_produtos.png) +![PT - Autocomplete sugestao de produtos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/autocomplete-3.png) diff --git a/docs/tutorials/es/carrefour-inventory-integration-errors.md b/docs/tutorials/es/carrefour-inventory-integration-errors.md index 3876a095b..94be47a06 100644 --- a/docs/tutorials/es/carrefour-inventory-integration-errors.md +++ b/docs/tutorials/es/carrefour-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-stock-con-carrefour subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/clientes-vtex-tracking.md b/docs/tutorials/es/clientes-vtex-tracking.md index 2d5bca8c3..30ad8bab6 100644 --- a/docs/tutorials/es/clientes-vtex-tracking.md +++ b/docs/tutorials/es/clientes-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: clientes-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/conecta-la-integration.md b/docs/tutorials/es/conecta-la-integration.md index 5958aa99f..cdccdd98c 100644 --- a/docs/tutorials/es/conecta-la-integration.md +++ b/docs/tutorials/es/conecta-la-integration.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-conecta-la subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/configure-cartman.md b/docs/tutorials/es/configure-cartman.md index 0debac69b..4a5a4d263 100644 --- a/docs/tutorials/es/configure-cartman.md +++ b/docs/tutorials/es/configure-cartman.md @@ -42,7 +42,7 @@ Para activar Cartman manualmente, siga los pasos a continuación: 1. Acceda a cualquier página de Checkout de su tienda (`https://{accountname}.myvtex.com/checkout/`). 2. Inserte la query string `?cartman=on` al final de la URL (`https://accountname.myvtex.com/checkout?cartman=on`). -3. En la esquina inferior derecha de la pantalla, haga clic en el botón cartman-icon para acceder a Cartman. +3. En la esquina inferior derecha de la pantalla, haga clic en el botón cartman-icon para acceder a Cartman. ## Funciones Cartman @@ -101,7 +101,7 @@ Para obtener más información sobre UTMs y UTMIs, vaya a [Qué son utm_source, Cartman se puede desactivar en cualquier momento según lo requiera el lojista. Para deshabilitarlo, siga los pasos a continuación: 1. Acceda a cualquier página de Checkout de su tienda (`https://{accountname}.myvtex.com/checkout/`). -2. En la esquina inferior derecha de la pantalla, haga clic en el botón cartman-icon. +2. En la esquina inferior derecha de la pantalla, haga clic en el botón cartman-icon. 3. En la parte inferior del menú de Cartman, haz clic en `Deshabilitar Cartman`. >ℹ️ Si desea reactivar **Cartman**, vuelva a agregar la query string `?cartman=on` en una de las páginas de pago de su tienda. De esta forma, el icono azul volverá a estar disponible en la esquina inferior derecha de la página. diff --git a/docs/tutorials/es/configure-direct-consumer-credit-cdc-by-losango.md b/docs/tutorials/es/configure-direct-consumer-credit-cdc-by-losango.md index 93b8c4e1a..47a0600fd 100644 --- a/docs/tutorials/es/configure-direct-consumer-credit-cdc-by-losango.md +++ b/docs/tutorials/es/configure-direct-consumer-credit-cdc-by-losango.md @@ -15,4 +15,4 @@ legacySlug: configurar-credito-directo-al-consumidor-cdc-de-losango subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/configure-employee-benefits-using-master-data-clusters.md b/docs/tutorials/es/configure-employee-benefits-using-master-data-clusters.md index d5de63deb..26401b117 100644 --- a/docs/tutorials/es/configure-employee-benefits-using-master-data-clusters.md +++ b/docs/tutorials/es/configure-employee-benefits-using-master-data-clusters.md @@ -40,9 +40,9 @@ Aquí, la propiedad común de los clientes será que también son empleados de l En este artículo se asume que los empleados están debidamente registrados con un campo booleano `isEmployee` establecido como true en sus respectivos documentos para la entidad de datos CL, como se muestra en la siguiente imagen. Si no lo están, revise el artículo [Crear un campo en Master Data](https://help.vtex.com/es/tutorial/how-can-i-create-field-in-master-data) para crear un campo que identifique a los empleados y configurarlo adecuadamente para cada documento correspondiente a los mismos. -![Campo empleado](https://images.ctfassets.net/alneenqid6w5/58zHOX5joCiSGRfGH1QcVS/a66c5d5bdd16ae4152d7f07b1483d5f2/Campo_empleado.png) +![Campo empleado](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-los-beneficios-para-empleados-usando-clusters-de-master-data-0.png) - +>ℹ️ Hay muchos detalles para configurar completamente una promoción. Si necesita información adicional sobre este asunto, consulte el artículo [Crear promociones](https://help.vtex.com/es/tutorial/creating-promotions-2). Con el campo configurado, la promoción puede crearse siguiendo los siguientes pasos: @@ -54,5 +54,5 @@ Con el campo configurado, la promoción puede crearse siguiendo los siguientes p 6. En el campo inferior a **Clúster de clientes**, ingrese el clúster que identifica que los clientes son empleados (un par `{field}={value}`). En este caso, se usa `isEmployee=true` . 7. Al final de la página, haga clic en **Guardar**. -Después de esta configuración, la promoción ya debería estar funcionando como fue configurada. El descuento se muestra solo en el carrito de compra. La siguiente imagen muestra un ejemplo con 99% de descuento. ![Carrito con descuento](https://images.ctfassets.net/alneenqid6w5/475MwMGUzp7GzqF0xYFVUq/856ec8d08b57e045760ad5e2eb76efa3/Carrinho_com_desconto.png) +Después de esta configuración, la promoción ya debería estar funcionando como fue configurada. El descuento se muestra solo en el carrito de compra. La siguiente imagen muestra un ejemplo con 99% de descuento. ![Carrito con descuento](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-los-beneficios-para-empleados-usando-clusters-de-master-data-1.png) diff --git a/docs/tutorials/es/configure-payment-with-pix-at-nubank.md b/docs/tutorials/es/configure-payment-with-pix-at-nubank.md index f2b1f6147..5c1517ffc 100644 --- a/docs/tutorials/es/configure-payment-with-pix-at-nubank.md +++ b/docs/tutorials/es/configure-payment-with-pix-at-nubank.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-pix-en-nubank subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/configure-payment-with-shopfacil.md b/docs/tutorials/es/configure-payment-with-shopfacil.md index 77e1ad4bc..1fab9b2c9 100644 --- a/docs/tutorials/es/configure-payment-with-shopfacil.md +++ b/docs/tutorials/es/configure-payment-with-shopfacil.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-shopfacil subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/configuring-b2b-self-service-stores.md b/docs/tutorials/es/configuring-b2b-self-service-stores.md index f20f654fd..2541c5659 100644 --- a/docs/tutorials/es/configuring-b2b-self-service-stores.md +++ b/docs/tutorials/es/configuring-b2b-self-service-stores.md @@ -19,7 +19,7 @@ El escenario de autoservicio es la opción más flexible para B2B. Permite que e Este escenario tiene ventajas para el usuario, ya que le permite explorar el catálogo, el inventario y los precios con libertad, de acuerdo con su perfil de acceso. Además, el usuario puede ver información y realizar pedidos en cualquier momento, sin depender de ningún intermediario. -
    Si ya es un cliente B2C y desea configurar un escenario B2B, contacte a nuestro Soporte.
    +>ℹ️ Si ya es un cliente B2C y desea configurar un escenario B2B, contacte a [nuestro Soporte](https://support.vtex.com/hc/pt-br/requests). Una de las primeras decisiones que se deben tomar al estructurar una tienda B2B es decidir si la misma estará abierta o cerrada al público. @@ -70,7 +70,7 @@ Este documento se crea de acuerdo con sus necesidades. La información básica y En el escenario B2B, normalmente se utiliza información básica como nombre, email, teléfono, calle, barrio y ciudad. Puede usar un formulario para recabar esta información. - +>❗ El campo utilizado como regla condicional en la política comercial **nunca podrá formar parte del formulario**, ya que el usuario no puede realizar su propia aprobación, esa es una responsabilidad de la tienda. En VTEX, los formularios se crean a través de [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data") —base de datos de la tienda— que almacena la información de la base de clientes de la tienda organizando los datos recibidos a través de los formularios en campos agrupados en diferentes entidades. @@ -82,7 +82,7 @@ Para crear un formulario: De esta forma, cuando un cliente complete el formulario, sus datos se incluirán en la tabla de clientes de Master Data. -
    Puede optar por crear un formulario con más recursos, tales como introducción automática del código postal, pestañas múltiples o la validación de la CNAE (Clasificación Nacional de Actividades Económicas). Si opta por este tipo de formulario, revise la documentación técnica de VTEX IO.
    +>ℹ️ Puede optar por crear un formulario con más recursos, tales como introducción automática del código postal, pestañas múltiples o la validación de la CNAE (Clasificación Nacional de Actividades Económicas). Si opta por este tipo de formulario, revise la documentación técnica de [VTEX IO](https://developers.vtex.com/vtex-developer-docs/docs/vtex-io-documentation-creating-a-new-custom-page). ### Aprobación de usuarios La aprobación de los usuarios, así como el registro, se realiza en [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data"). Corresponde a los responsables de la gestión del ecommerce aprobar el acceso de los clientes al contenido de la tienda. @@ -95,7 +95,7 @@ La exhibición de los productos de la tienda para determinados grupos de usuario En esta configuración, debe seleccionar los productos que se asociarán a la política comercial destinada al contexto B2B. En VTEX, puede asociar SKUs de forma individual por medio del Admin o en masa a través de la [API de Catálogo](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview "API de Catálogo"). -
    La configuración de SKUs vía API de Catálogo —asociación o creación en masa o de forma individual— se recomienda para empresas que ya tienen una operación de ecommerce madura y que cuentan con una área de ecommerce propia que gestiona y mantiene el catálogo de productos existente. Toda esa infraestructura permite la importación de todo el catálogo con todas las configuraciones actuales mediante la integración con el ERP.
    +>ℹ️ La configuración de SKUs vía [API de Catálogo](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview) —asociación o creación en masa o de forma individual— se recomienda para empresas que ya tienen una operación de ecommerce madura y que cuentan con una área de ecommerce propia que gestiona y mantiene el catálogo de productos existente. Toda esa infraestructura permite la importación de todo el catálogo con todas las configuraciones actuales mediante la [integración con el ERP](https://developers.vtex.com/vtex-rest-api/docs/erp-integration-guide). ### Configuración de la estrategia de logística @@ -135,7 +135,7 @@ La gestión de crédito es un recurso versátil y, por eso, se utiliza en difere En VTEX, los administradores de tiendas pueden utilizar [Customer Credit](https://help.vtex.com/pt/tutorial/customer-credit-visao-geral--1uIqTjWxIIIEW0COMg4uE0 "Customer Credit"), una aplicación en la que pueden ofrecer y administrar los créditos que conceden a sus clientes. Para instalar la aplicación, consulte el paso a paso completo en el artículo [Instalar Customer Credit](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/36grlQ69NK6OCuioeekyCs "Instalar Customer Credit"). -
    Los medios de pago convencionales, como tarjeta de crédito, tarjeta de débito y boleto bancario (disponible en Brasil), también se pueden configurar para el contexto B2B. La gestión de crédito es el método más utilizado por los clientes.
    +>ℹ️ Los medios de pago convencionales, como tarjeta de crédito, tarjeta de débito y boleto bancario (disponible en Brasil), también se pueden configurar para el contexto B2B. La gestión de crédito es el método más utilizado por los clientes. Después de instalar la aplicación en su tienda, debe configurar Customer Credit como un medio de pago disponible. De esta manera, sus clientes podrán finalizar las compras utilizando el crédito concedido. Para realizar la configuración, lea el tutorial [cómo configurar Customer Credit como condición de pago](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/21ok0GBwmcIeaY2IukYMOg#condicoes-de-pagamento "cómo configurar Customer Credit como condición de pago"). diff --git a/docs/tutorials/es/configuring-email-senders.md b/docs/tutorials/es/configuring-email-senders.md index 80ec4ef01..2e58db579 100644 --- a/docs/tutorials/es/configuring-email-senders.md +++ b/docs/tutorials/es/configuring-email-senders.md @@ -19,4 +19,4 @@ Este paso garantiza que los e-mails enviados por la tienda no lleguen al cliente _El video abajo todavía no ha sido traducido. Gracias por la comprensión._ - + diff --git a/docs/tutorials/es/configuring-payment-gateways.md b/docs/tutorials/es/configuring-payment-gateways.md index 5168dfbdd..55c5cdcdf 100644 --- a/docs/tutorials/es/configuring-payment-gateways.md +++ b/docs/tutorials/es/configuring-payment-gateways.md @@ -18,5 +18,5 @@ subcategory: 3tDGibM2tqMyqIyukqmmMw Los medios de pago son esenciales para llevar la tienda a producción. Para eso, acceda al [PCI Gateway](http://help.vtex.com/es/tutorial/pci-gateway-vision-general), que es el módulo certificado por el PCI DSS, garantizando la seguridad de los datos de pago de sus clientes. _El video abajo todavía no ha sido traduccido al español._ - + diff --git a/docs/tutorials/es/configuring-payment-with-adyenv3-in-vtex-sales-app.md b/docs/tutorials/es/configuring-payment-with-adyenv3-in-vtex-sales-app.md index c4991bb8b..a3fd5649e 100644 --- a/docs/tutorials/es/configuring-payment-with-adyenv3-in-vtex-sales-app.md +++ b/docs/tutorials/es/configuring-payment-with-adyenv3-in-vtex-sales-app.md @@ -3,8 +3,8 @@ title: 'Configurar pagos con AdyenV3 en VTEX Sales App' id: 24yO6KloBn6DN6CbprHtgt status: PUBLISHED createdAt: 2023-05-09T14:12:03.567Z -updatedAt: 2024-07-26T16:55:23.474Z -publishedAt: 2024-07-26T16:55:23.474Z +updatedAt: 2024-09-03T13:37:54.592Z +publishedAt: 2024-09-03T13:37:54.592Z firstPublishedAt: 2023-05-11T20:30:50.460Z contentType: tutorial productTeam: Financial @@ -47,7 +47,7 @@ Para habilitar el acceso de VTEX en el entorno Adyen, sigue los pasos a continua 2. En la barra lateral izquierda, copia y guarda la información descrita antes de **Company**. Esta es tu Company Account. 3. En la lista de abajo, busca el nombre de la Merchant Account a utilizar (resaltada en blanco). Copia y guarda esta información. -![Adyenv3_1](https://images.ctfassets.net/alneenqid6w5/4BHwn5SIUl6AuiiEjreluk/a7404c85f6fda7f7ccbae66070d0db0d/Adyenv3_1.PNG) +![Adyenv3_1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-0.PNG) ### Obtener la POS Live URL @@ -66,7 +66,7 @@ La información a continuación supone que la API Key se ha generado previamente 2. Selecciona tu credencial API. 3. En **Server Settings > Authentication**, selecciona **API key**. -![Adyenv3_2](https://images.ctfassets.net/alneenqid6w5/5y5TAeZmhsKrn2nZTJexIw/bfbe2587739f39fa70c4e1f08e86bd71/Adyenv3_2.PNG) +![Adyenv3_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-1.PNG)
    4. Haz clic en Generate Key y anota la información creada en un lugar seguro. @@ -82,7 +82,7 @@ Configura el webhook según los pasos a continuación: 4. En **General > Description**, agrega una descripción para el nuevo webhook. Ejemplo: "Webhook Adyen Connector Provider v3". 5. En **General > Server configuration > URL**, introduce la URL de tu cuenta VTEX. Ejemplo https://{{account}}.myvtex.com/_v3/api/webhook/notification. -![Adyenv3_4](https://images.ctfassets.net/alneenqid6w5/1gAXlQfBoEUm5qnfSsHJkl/c18036816afbfe9ed8434d1211679879/Adyenv3_4.PNG) +![Adyenv3_4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-2.PNG)
    6. Haz clic en Apply. @@ -90,11 +90,11 @@ Configura el webhook según los pasos a continuación:
    8. Haz clic en Save changes. -![Adyenv3_5](https://images.ctfassets.net/alneenqid6w5/4dNUcUg9OKni8eT1wXcjO1/19eddc41d854adb8976e6e90ed54589c/Adyenv3_5.PNG) +![Adyenv3_5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-3.PNG) -![Adyenv3_6](https://images.ctfassets.net/alneenqid6w5/2ocxDKULle6hnu2fFPnjfZ/7787ff93f023d3ec17c669758aefb82f/Adyenv3_6.PNG) +![Adyenv3_6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-4.PNG) -![Adyenv3_7](https://images.ctfassets.net/alneenqid6w5/dEbiVnYj1Ic4eYgkSNolQ/79bba40bd6820d29de275e3cab19f22e/Adyenv3_7.PNG) +![Adyenv3_7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pagos-con-adyenv3-en-vtex-sales-app-5.PNG) >ℹ️ Si tienes varias tiendas, es necesario configurar el webhook para cada una de ellas. @@ -119,12 +119,10 @@ Configura el webhook según los pasos a continuación: 1. En el Admin VTEX, accede a **Configuración de la tienda > Pago > Configuración**, o escribe **Configuración** en la barra de búsqueda en la parte superior de la página. 2. En la pestana **Condiciones de pago**, haga clic en el botón `+`. 3. Haga clic en **Venda Direta Debito** o **Venda Direta Credito**. -4. En **Procesar con afiliación**, seleccione el conector previamente configurado. +4. En **Procesar con proveedor**, seleccione el conector previamente configurado. 5. Active la condición en el campo **Status**. 6. Si desea utilizar un sistema antifraude, seleccione la opción **Utilizar antifraude**. 7. Si desea, puede [configurar condiciones especiales de pago](https://help.vtex.com/es/tutorial/condiciones-especiales--tutorials_456). 8. Haga clic en `Guardar`. -After completing these steps, the AdyenV3 Connector may take up to 10 minutes to appear as a payment option in your store's VTEX Sales App. - Tras seguir los pasos indicados, el conector AdyenV3 puede tardar hasta 10 minutos para aparecer como opción de pago en la App Ventas VTEX de su tienda. diff --git a/docs/tutorials/es/configuring-payment-with-cielo-in-vtex-sales-app.md b/docs/tutorials/es/configuring-payment-with-cielo-in-vtex-sales-app.md index 11ad5146e..a877a9c91 100644 --- a/docs/tutorials/es/configuring-payment-with-cielo-in-vtex-sales-app.md +++ b/docs/tutorials/es/configuring-payment-with-cielo-in-vtex-sales-app.md @@ -15,4 +15,4 @@ legacySlug: configurar-pagos-con-cielo-en-vtex-sales-app subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/configuring-payment-with-mercado-pago-in-vtex-sales-app.md b/docs/tutorials/es/configuring-payment-with-mercado-pago-in-vtex-sales-app.md index 5f4b1372d..d8276dcf1 100644 --- a/docs/tutorials/es/configuring-payment-with-mercado-pago-in-vtex-sales-app.md +++ b/docs/tutorials/es/configuring-payment-with-mercado-pago-in-vtex-sales-app.md @@ -1,10 +1,10 @@ --- title: 'Configurar pagos con Mercado Pago en VTEX Sales App' id: 51fgSydGGOnlBdtwTfE8BE -status: CHANGED +status: PUBLISHED createdAt: 2024-08-26T12:36:03.781Z -updatedAt: 2024-09-02T21:20:22.288Z -publishedAt: 2024-08-28T21:17:53.696Z +updatedAt: 2024-09-03T13:41:09.309Z +publishedAt: 2024-09-03T13:41:09.309Z firstPublishedAt: 2024-08-26T18:37:41.187Z contentType: tutorial productTeam: Financial @@ -15,96 +15,96 @@ legacySlug: configurar-pagos-con-mercado-pago-en-vtex-sales-app subcategory: 3tDGibM2tqMyqIyukqmmMw --- -En VTEX, es posible integrarse con el proveedor de pago Adyen. A través de este conector, su tienda puede ofrecer transacciones de pago en tiendas físicas (VTEX Sales App), utilizando puntos de venta (POS). Para más información acceda [O que é o VTEX Sales App?](https://help.vtex.com/es/tracks/instore-primeros-pasos-y-configuracion--zav76TFEZlAjnyBVL5tRc/7fnnVlG3Kv1Tay9iagc5yf). +En VTEX, es posible integrarse con el proveedor de pago MercadoPagoV2. A través de este conector, su tienda puede ofrecer transacciones de pago en tiendas físicas (VTEX Sales App), utilizando puntos de venta (POS). Para más información acceda [O que é o VTEX Sales App?](https://help.vtex.com/es/tracks/instore-primeros-pasos-y-configuracion--zav76TFEZlAjnyBVL5tRc/7fnnVlG3Kv1Tay9iagc5yf). ->ℹ️ Para utilizar o provedor MercadoPagoV2 em sua loja por outros canais de venda online (exceto VTEX Sales App), acesse [Configurar pagamento com MercadoPagoV2](https://help.vtex.com/pt/tutorial/configurar-o-subadquirente-mercadopagov2--1y6k8lCSzJYfPs2yObNFo4). +>ℹ️ Para utilizar el proveedor MercadoPagoV2 en su tienda a través de otros canales de venta en línea (excepto VTEX Sales App), visite [Configurar pago con MercadoPagoV2](https://help.vtex.com/es/tutorial/configurar-el-subadquirente-mercadopagov2--1y6k8lCSzJYfPs2yObNFo4). -Para utilizar o provedor MercadoPagoV2 no VTEX Sales App, é necessário: +Para utilizar el proveedor MercadoPagoV2 en la VTEX Sales App, es necesario: -- [Configurar chaves no ambiente Mercado Pago](#configurar-chaves-no-ambiente-mercado-pago) -- [Configurar conector MercadoPagoV2 (VTEX Sales App) na VTEX](#configurar-conector-mercadopagov2-vtex-sales-app-na-vtex) -- [Instalar os aplicativos Mercado Pago Payment e Mercado Pago Instore na VTEX](#instalar-aplicativos-mercado-pago-payment-e-mercado-pago-instore-na-vtex) -- [Configurar condição de pagamento](#configurar-condicao-de-pagamento) +- [Configurar claves en el entorno Mercado Pago](#configurar-claves-en-el-entorno-de-mercado-pago) +- [Configurar el conector MercadoPagoV2 (VTEX Sales App) en VTEX](#configurar-el-conector-mercadopagov2-vtex-sales-app-en-vtex) +- [Instalar las aplicaciones Mercado Pago Payment y Mercado Pago Instore en VTEX](#instalar-aplicaciones-mercado-pago-payment-y-mercado-pago-instore-en-vtex) +- [Configurar condición de pago](#configurar-condicion-de-pago) ->⚠️ As configurações realizadas em um ambiente externo à VTEX podem ser descontinuadas ou modificadas sem aviso prévio. Consulte sua conta na Mercado Pago para informações atualizadas. +>⚠️ Las configuraciones realizadas en un entorno externo a VTEX puede interrumpirse o modificarse sin previo aviso. Consulta tu cuenta Mercado Pago para obtener información actualizada. -## Configurar chaves no ambiente Mercado Pago +## Configurar claves en el entorno de Mercado Pago -Os passos a seguir descrevem as configurações mínimas a serem realizadas para que o conector MercadoPagoV2 seja devidamente configurado. Demais configurações personalizadas aplicadas à clientes, habilitação de métodos de pagamento específicos ou funcionalidades particulares da plataforma, devem ser realizadas conforme [documentação do Mercado Pago](https://www.mercadopago.com.br/developers/pt/docs/vtex/integration/create-gateway-affiliation-v2). +Los siguientes pasos describen las configuraciones mínimas a realizar para que el conector MercadoPagoV2 quede correctamente configurado. Otras configuraciones personalizadas que se apliquen a los clientes, habilitando métodos de pago específicos o características particulares de la plataforma, deberán realizarse de acuerdo con [documentación de Mercado Pago](https://www.mercadopago.com.br/developers/es/docs/vtex/integration/create-gateway-affiliation-v2). -
    1. Acesse o portal do desenvolvedor Mercado Pago para criar uma nova conta. +
    1. Accede al portal para desarrolladores de Mercado Pago para crear una nueva cuenta. -
    >⚠️ O portal do desenvolvedor Mercado Pago permite que o usuário obtenha informações de todas as chaves necessárias pra configurar a conexão entre a VTEX e o Mercado Pago. Recomendamos que o procedimento abaixo seja realizado por um usuário que já possua acesso às demais chaves de sua conta no Mercado Pago.
    +
    >⚠️ El portal para desarrolladores de Mercado Pago permite al usuario obtener información de todas las claves necesarias para configurar la conexión entre VTEX y Mercado Pago. Recomendamos que el procedimiento a continuación lo realice un usuario que ya tenga acceso a las demás claves de su cuenta de Mercado Pago.
    -
    2. Após realizar o login, acesse a documentação de credenciais do Mercado Pago para verificar como obter o Public Key e Access Token que serão utilizados na configuração do MercadoPagoV2 na VTEX. +
    2. Después de iniciar sesión, acceda al documentación de credenciales de Mercado Pago para verificar cómo obtener la Clave de aplicación + y Token de aplicación que se utilizarán en la configuración de MercadoPagoV2 en VTEX. -## Configurar conector MercadoPagoV2 (VTEX Sales App) na VTEX +## Configurar el conector MercadoPagoV2 (VTEX Sales App) en VTEX -
    1. No Admin VTEX, acesse Configurações da loja > Pagamentos > Provedores, ou digite Provedores na barra de busca no topo da página. +
    1. En el Admin VTEX, accede a Configuración de la tienda > Pago > Proveedores, o escribe Proveedores en la barra de búsqueda en la parte superior de la página. -
    2. Na tela de provedores, clique no botão Novo provedor. +
    2. En la pantalla de proveedores, haga clic en el botón Nuevo proveedor. -
    3. Digite o nome MercadoPagoV2 na barra de busca e clique sobre o nome do provedor. +
    3. Escriba el nombre MercadoPagoV2 en la barra de búsqueda y haga clic en el nombre del proveedor. -
    4. Em Chave de aplicação, insira o nome da sua Public Key localizada no portal de desenvolvedor do Mercado Pago. +
    4. En Clave de aplicación, ingresa el nombre de tu Public Key ubicada en el portal para desarrolladores de Mercado Pago. -
    5. Em Token de aplicação, insira a chave Access Token localizada no portal de desenvolvedor do Mercado Pago. +
    5. En Token de aplicación, ingresa la clave Access Token ubicada en el portal para desarrolladores de Mercado Pago. -
    6. Caso deseje modificar o nome de identificação a ser exibido para o provedor Mercado Pago na tela do Admin VTEX, insira a informação no campo Nome em Informações básicas. +
    6. Si desea modificar el nombre de identificación que se mostrará para el proveedor AdyenV3 en la pantalla VTEX Admin, ingrese la información en el campo Nombre en Información general. -
    7. Em Controle de pagamento, desative o ambiente de teste ao desmarcar a opção Ativar modo de teste. +
    7. En Control de pago, seleccione si desea activar el proveedor en un entorno de prueba haciendo clic en Activar modo de prueba. -
    8. Em Prazo de vencimento do boleto, defina o valor (em dias úteis) para o vencimento do pedido de compra. Caso cliente efetue o pagamento após o prazo, o valor será depositado na conta do mesmo no Mercado Pago. +
    8. En Periodo de vencimiento, definir el valor (en días hábiles) para que caduque la orden de compra. Si el cliente realiza el pago fuera de plazo, el monto será depositado en su cuenta de Mercado Pago. -
    9. Em Nome da loja, insira o nome da sua empresa. Esta informação será descrita na fatura do cartão do cliente. +
    9. En Nombre de la tienda, ingrese el nombre de su empresa. Esta información estará descrita en la factura de la tarjeta del cliente. -
    10. Em Parcelamento máximo, escolha a quantidade máxima de parcelas disponíveis para efetuar o pagamento. Com o Mercado Pago, você pode oferecer parcelamento em até 12 vezes. +
    10. En Cuotas máximas, escoja el número máximo de cuotas disponibles para realizar el pago. Con Mercado Pago podrás fraccionar compras en hasta 12 cuotas -
    11. Em Suporte 3DS 2.0, selecione "Sim" caso deseje ativar a validação de segurança do 3DS. Para o correto funcionamento deste protocolo, certifique-se de que o Mercado Pago Payment app será instalado em sua loja e que o campo Modo binário (Step 15), seja selecionado como "Não". +
    11. En Soporte 3DS 2.0, seleccione "Sí" si desea habilitar la validación de seguridad 3DS. Para que este protocolo funcione correctamente, asegúrese de que la Mercado Pago Payment app se instalará en su tienda y que el campo BinArio (Paso 15), esté seleccionado como "No". -
    12. Em Categoria principal da loja, escolha a categoria do ramo de atuação de sua loja. +
    12. En Categoría principal de la tienda, elija la categoría de la industria de su tienda. -
    13. Em Compartilhamento de categoria (loja ou produto) por transação, selecione a opção Categoria da Loja. +
    13. En Categoría (tienda o producto) compartida por transacción, seleccione la opción Categoría de la tienda. -
    14. Na opção Reembolso automático / manual, escolha se o cliente será reembolsado de forma automática ou se deseja reter o valor pago para que o cliente possa utilizá-lo em compras futuras na mesma loja. +
    14. En la opción Reembolso automático / manual, elija si se reembolsará al cliente automáticamente o si quieres retener el importe pagado para que el cliente pueda utilizarlo en futuras compras en la misma tienda. +
    15. En Binario, indicar si la tienda debe aceptar pagos pendientes. Seleccionar "No" indica que la transacción estará pendiente por 48 horas o hasta que se realice el pago, y el inventario relacionado con esta compra será retirado por el mismo período de tiempo. Seleccionar "Sí" permite rechazar las transacciones y el stock se liberará automáticamente. Para utilizar la funcionalidad Soporte 3DS 2.0 (Paso 11), el Binario debe estar configurado en "No". -
    15. Em Modo binário, indique se a loja deve aceitar pagamentos pendentes. Selecionar "Não", indica que a transação ficará pendente por 48 horas ou até que o pagamento seja realizado, e o estoque relacionado nessa compra será retiro pelo mesmo período de tempo. Selecionar "Sim", permite que as transações sejam rejeitadas e o estoque será liberado automaticamente. Para utilizar a funcionalidade do Suporte 3DS 2.0 (Step 11), o Modo binário deve estar indicado como "Não". +
    16. En Métodos de pago excluidos, describa los métodos de pago que no desea ofrecer a través de Checkout Pro; obtenga más información en Excluir tipos y métodos de pago. Si eliges dejar este campo en blanco, todos los métodos de pago disponibles de MercadoPagoV2 podrán ser utilizados en tu tienda. -
    16. Em Métodos de pagamento excluídos, descreva os métodos de pagamentos que não deseja oferecer por meio do Checkout Pro, saiba mais em Excluir tipos e métodos de pagamento. Caso opte por deixar em branco este campo, todos os métodos de pagamento disponíveis do MercadoPagoV2 poderão ser utilizados em sua loja. +
    17. En Tipos de pago excluidos, describa las marcas específicas de crédito, débito y boleto (Visa, Mastercard, entre otras) que no desea ofrecer a través de Checkout Pro, obtenga más información en Excluir tipos y métodos de pago. Si eliges dejar este campo en blanco, todos los tipos de pago disponibles en MercadoPagoV2 podrán ser utilizados en tu tienda. -
    17. Em Tipos de pagamento excluídos, descreva as bandeiras específicas de crédito, débito e boleto (Visa, Mastercard, entre outros) que não deseja oferecer por meio do Checkout Pro, saiba mais em Excluir tipos e métodos de pagamento. Caso opte por deixar em branco este campo, todos os tipos de pagamento disponíveis no MercadoPagoV2 poderão ser utilizados em sua loja. +
    18. En Modo de procesamiento, seleccione la opción Aggregator. -
    18. Em Modo de processamento, selecione a opção Aggregator. +
    19. En Integrator ID, indicar el código identificador del desarrollador o agencia que realiza la configuración de Mercado Pago. -
    19. Em Integrator ID, indique o código identificador do programador ou agência que realiza a configuração do Mercado Pago. +
    20. El campo Moneda identifica la moneda utilizada para el pago en la tienda. No es necesario llenarlo. -
    20. O campo Moeda identifica a moeda utilizada para pagamento na loja. Não é necessário preeenchê-lo. +
    21. El campo Merchant Account ID identifica la cuenta comercial. No es necesario llenarlo. -
    21. O campo Merchant Account ID identifica a conta do merchant. Não é necessário preeenchê-lo. +
    22. En PPlazo de captura de pagos aprobado, seleccione la fecha límite deseada para la captura de pago. -
    22. Em Prazo de captura de pagamento aprovado, selecione o prazo desejado para captura do pagamento. +
    23. En Fecha para cancelar compras de un carrito abandonado, ingrese el intervalo de tiempo que se debe esperar hasta que los métodos de pago habilitados no estén disponibles para realizar la compra. -
    23. Em Tempo para cancelar compras de um carrinho abandonado, insira o intervalo de tempo que deve ser aguardado até que os meios de pagamento habilitados não estejam disponíveis para efetuar a compra. +
    24. Haga clic en Guardar. -
    24. Clique em Salvar. +## Instalar aplicaciones Mercado Pago Payment y Mercado Pago Instore en VTEX -## Instalar aplicativos Mercado Pago Payment e Mercado Pago Instore na VTEX +>⚠️ Antes de instalar la app **mercadopago.mercadopago-app**, confirma con el equipo de soporte de Mercado Pago la versión actual de la aplicación. ->⚠️ Antes de instalar o app **mercadopago.mercadopago-app**, confirme com a equipe de suporte do Mercado Pago qual é a versão atual do aplicativo. +1. En [VTEX IO CLI](https://developers.vtex.com/docs/guides/vtex-io-documentation-vtex-io-cli-install), ejecute el comando `vtex login nombredecuenta` para iniciar sesión en su cuenta. +2. Instale la aplicación **mercadopago.mercadopago-app** usando el comando `vtex install mercadopago.mercadopago-app@{{current-app-version}}`. Se debe reemplazar la información {{current-app-version}} dcon la versión actual de la aplicación, por ejemplo: `vtex install mercadopago.mercadopago-app@2.3.15`. +3. Instale la aplicación **mercadopago.instore** usando el comando `vtex install mercadopago.instore`. -1. No [VTEX IO CLI](https://developers.vtex.com/docs/guides/vtex-io-documentation-vtex-io-cli-install), execute o comando `vtex login nomedaconta` para realizar o login em sua conta. -2. Instale o app **mercadopago.mercadopago-app** por meio do comando `vtex install mercadopago.mercadopago-app@{{current-app-version}}`. A informação {{current-app-version}} deve ser substituída pela a versão atual do aplicativo, por exemplo: `vtex install mercadopago.mercadopago-app@2.3.15`. -3. Instale o app **mercadopago.instore** por meio do comando `vtex install mercadopago.instore`. +## Configurar condición de pago -## Configurar condição de pagamento +1. En el Admin VTEX, accede a **Configuración de la tienda > Pago > Configuración**, o escribe **Configuración** en la barra de búsqueda en la parte superior de la página. +2. En la pestana **Condiciones de pago**, haga clic en el botón `+`. +3. Haga clic en **Venda Direta Debito** o **Venda Direta Credito**. +4. En **Procesar con proveedor**, seleccione el conector previamente configurado. +5. Active la condición en el campo **Status**. +6. Si desea utilizar un sistema antifraude, seleccione la opción **Utilizar antifraude**. +7. Si desea, puede [configurar condiciones especiales de pago](https://help.vtex.com/es/tutorial/condiciones-especiales--tutorials_456). +8. Haga clic en `Guardar`. -1. No Admin VTEX, acesse **Configurações da loja > Pagamentos > Configurações**, ou digite **Configurações** na barra de busca no topo da página. -2. Na aba **Condições de Pagamentos**, clique no botão `+`. -3. Clique em **Venda Direta Debito** ou **Venda Direta Credito**. -4. Em **Processar com o provedor**, selecione a opção **MercadoPagoV2**. -5. Ative a condição no campo **Status**. -6. Se desejar utilizar um sistema antifraude, selecione a opção **Usar solução antifraude**. -7. Se desejar, você também pode [configurar condições especiais de pagamento](https://help.vtex.com/pt/tutorial/condiciones-especiales--tutorials_456). -8. Clique em `Salvar`. - -Depois de seguir os passos indicados, o provedor MercadoPagoV2 pode demorar até 10 minutos para aparecer como opção de pagamento no VTEX Sales App de sua loja. +Tras seguir los pasos indicados, el proveedor MercadoPagoV2 puede tardar hasta 10 minutos para aparecer como opción de pago en la App Ventas VTEX de su tienda. diff --git a/docs/tutorials/es/configuring-physical-stores-integration-with-b2w.md b/docs/tutorials/es/configuring-physical-stores-integration-with-b2w.md index 20d35dde9..fe6c818d8 100644 --- a/docs/tutorials/es/configuring-physical-stores-integration-with-b2w.md +++ b/docs/tutorials/es/configuring-physical-stores-integration-with-b2w.md @@ -15,5 +15,5 @@ legacySlug: configurar-la-integracion-de-tiendas-fisicas-con-b2w-skyhub subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/configuring-promotions-with-a-highlightflag.md b/docs/tutorials/es/configuring-promotions-with-a-highlightflag.md index 3d5019219..6664e0777 100644 --- a/docs/tutorials/es/configuring-promotions-with-a-highlightflag.md +++ b/docs/tutorials/es/configuring-promotions-with-a-highlightflag.md @@ -15,13 +15,11 @@ legacySlug: configurando-promocion-con-destaque-flag subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ Tutorial válido solo para tiendas CMS Portal Legado. El destaque en la promoción es un aviso que puede ser colocado en los estantes y en las páginas de los productos, informando que el producto es elegible para una promoción. Un ejemplo muy común es una imagen debajo de la imagen del producto indicando flete gratis. -![ExemploPromocaoDestaque2](https://images.contentful.com/alneenqid6w5/jS31HBOW3YWsIYyUOE8o/3d0c108c84b2a7c5e6ae2d4254425e4b/ExemploPromocaoDestaque2.png) +![ExemploPromocaoDestaque2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurando-promocion-con-destaque-flag-0.png) No todas las promociones son elegibles para tener destaque. Esta posibilidad está disponible para los siguientes tipos: - Porcentaje @@ -65,9 +63,9 @@ Esta configuración consiste en la edición de la plantilla de la página utiliz 9. En la ventana, haga clic en la opción **New Layout**. 10. En el menú lateral, haga clic sobre el layout marcado con un check rojo y en el campo __template__, verifique cuál es el nombre de la plantilla utilizada. -![Layout com check - PT](https://images.ctfassets.net/alneenqid6w5/4GmSglkpk78c4M5hDZEgZX/ab47d3105213471fe370be0b11afcfab/image.png) +![Layout com check - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurando-promocion-con-destaque-flag-1.png) -![Template](https://images.contentful.com/alneenqid6w5/2OzzBkU2YwsgCGeICsgIcg/61aaf502c787cb4f0468ab8cee821072/Template.png) +![Template](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurando-promocion-con-destaque-flag-2.png) 11. Vuelva al menú lateral y haga clic en la carpeta **HTML Templates**. 12. Haga clic en la plantilla encontrada en @producto@. diff --git a/docs/tutorials/es/configuring-your-layout.md b/docs/tutorials/es/configuring-your-layout.md index de6839cb3..428e29f75 100644 --- a/docs/tutorials/es/configuring-your-layout.md +++ b/docs/tutorials/es/configuring-your-layout.md @@ -21,5 +21,5 @@ Si la tienda no tiene equipo de desarrolladores front-end, le recomendamos que _El video presentado en este tutorial aún no se ha traducido al español. Estamos trabajando para ofrecer más contenido en español. Gracias por la comprensión._ - + diff --git a/docs/tutorials/es/creating-a-subscription-promotion.md b/docs/tutorials/es/creating-a-subscription-promotion.md index 0abb5e169..e8e44db31 100644 --- a/docs/tutorials/es/creating-a-subscription-promotion.md +++ b/docs/tutorials/es/creating-a-subscription-promotion.md @@ -23,7 +23,7 @@ En este artículo, encontrará el paso a paso para crear promociones por suscrip 4. Seleccione `Promoción Regular`. 5. En la sección **¿Cuáles son las condiciones para que la promoción sea válida?**, seleccione la casilla **Es un pedido de suscripción**. Así, la promoción se aplicará a los pedidos por suscripción. Sólo los productos con una suscripción en la cesta recibirán el descuento. Para entender las posibilidades de configuración, vea las siguientes condiciones: -![frequencia1](https://images.ctfassets.net/alneenqid6w5/3Tg0ujk38ip94YogUGdD9M/ca5cd9a587aaff53b054efb27bf04008/image__3_.png) +![frequencia1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-crear-una-promocion-por-suscripcion-0.png) - **Pedido original**: pedidos que generan las suscripciones, pero que aún no forman parte de los ciclos de suscripción. - **Pedidos recurrentes**: pedidos que forman parte de los ciclos de suscripción. @@ -42,10 +42,7 @@ Configure correctamente la frecuencia y el ciclo para garantizar que la promoci | 22/01/2022 | Tercer ciclo | La promoción no será válida | 05/02/2022 | Cuarto ciclo | La promoción será válida | - +>ℹ️ No es posible configurar promociones por UTM y promociones por suscripción utilizando cupones en pedidos recurrentes. Los cupones se aplicarán solo a pedidos originales.
    1. Rellene los demás campos de la promoción.

    2. diff --git a/docs/tutorials/es/creating-synonyms.md b/docs/tutorials/es/creating-synonyms.md index 5aa59e6c0..3bf16518e 100644 --- a/docs/tutorials/es/creating-synonyms.md +++ b/docs/tutorials/es/creating-synonyms.md @@ -21,10 +21,7 @@ Hay dos formas de configurar sinónimos en VTEX Admin: [individualmente](#crear- La configuración de sinónimos funciona de forma recursiva. Esto significa que cuando agrega un segundo sinónimo a uno existente, también se convertirá en sinónimo del primero. - +>ℹ️ Los sinónimos no deben ser usados para resolver errores de ortografía, plural y singular o incluso pronombres, artículos y preposiciones en los términos investigados. En todos estos puntos, VTEX Intelligent Search es capaz de interpretar, aprender y resolver automáticamente por medio de algoritmos. ## Crear sinónimos individualmente diff --git a/docs/tutorials/es/creating-the-category-tree.md b/docs/tutorials/es/creating-the-category-tree.md index c1e3906e1..2a9d16c6d 100644 --- a/docs/tutorials/es/creating-the-category-tree.md +++ b/docs/tutorials/es/creating-the-category-tree.md @@ -19,4 +19,4 @@ El árbol de categorias es la estructura de categorias que será utilizada en s [La definición del árbol de categorias](/es/tutorial/cadastrando-categoria/ "La definición del árbol de categorias") debe ser realizada en el comienzo del proyeto y debe ser muy planeada, pensando en su catalogo de productos y en el SEO. - + diff --git a/docs/tutorials/es/creating-users.md b/docs/tutorials/es/creating-users.md index 4b36fedf5..47336139b 100644 --- a/docs/tutorials/es/creating-users.md +++ b/docs/tutorials/es/creating-users.md @@ -20,5 +20,5 @@ Después de la creación del ambiente, sólo el usuario que ha firmado el contra Para eso, es necesario accesar su License Manager y [asociar usuarios](http://help.vtex.com/es/tutorial/guia-para-crear-usuarios/). El video abajo enseña todo el flujo de esta configuración: - + diff --git a/docs/tutorials/es/creating-your-promotions.md b/docs/tutorials/es/creating-your-promotions.md index 7dcafa620..5833bc4c7 100644 --- a/docs/tutorials/es/creating-your-promotions.md +++ b/docs/tutorials/es/creating-your-promotions.md @@ -18,4 +18,4 @@ subcategory: 1yTYB5p4b6iwMsUg8uieyq La [creación de procomociones](http://help.vtex.com/es/tutorial/como-crear-promociones) no es un paso obligatorio para subir la tienda, pero es muy utilizado por las tiendas y, por eso, está en nuestros primeros pasos. Aproveche y configure una promoción de lanzamiento. 😋 _El video presentado abajo todavía no ha sido traducido. Gracias por la comprensión._ - + diff --git a/docs/tutorials/es/criar-um-produto-beta.md b/docs/tutorials/es/criar-um-produto-beta.md index 00a4d0ee5..2c1d98ade 100644 --- a/docs/tutorials/es/criar-um-produto-beta.md +++ b/docs/tutorials/es/criar-um-produto-beta.md @@ -39,7 +39,7 @@ Una vez hecho esto, el producto se activará y estará disponible en tu tienda. En esta pestaña se realiza el registro del producto, para lo que es necesario rellenar los campos que se describen a continuación con las características del ítem. ### Información general -![image9](https://images.ctfassets.net/alneenqid6w5/zuDEylLB51jEYDgupvInT/3cbd44a15e049422865dadb7169d0c38/image9.png) +![image9](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-0.png) **- Nombre**: ingresa el título del producto en la tienda. Utiliza vocabulario sencillo y evita términos en otro idioma o redacción compleja. Este campo es importante para SEO y se debe respetar el límite de 150 caracteres. Campo obligatorio. Ejemplo: Calzado deportivo Ultralight. **- Palabras sustitutas**: ingresa sinónimos de términos relacionados con el nombre asignado al producto, separados por comas (`,`). Este campo es importante para ampliar el alcance de las búsquedas y debe respetarse el límite de 8000 caracteres. @@ -60,7 +60,7 @@ En este paso, debes ingresar una descripción de la información más importante El editor de texto de la descripción es de tipo texto enriquecido, es decir, tienes a tu disposición varios recursos de formato utilizando la barra de herramientas de este campo, ilustrada a continuación. -![image10](https://images.ctfassets.net/alneenqid6w5/15nJVdLeSo0trgDc5czwl3/6796616b891c91907787537076bd12d9/image10.gif) +![image10](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-1.gif) Estos son los recursos disponibles en la barra de herramientas: - __Estilos__: define el estilo del texto seleccionado. Las opciones son: **Normal** y **Título 1** hasta **Título 6**. @@ -84,13 +84,13 @@ Estos son los recursos disponibles en la barra de herramientas: - **Código fuente**: muestra el código fuente de la descripción en HTML. Si lo deseas, puedes editar la descripción directamente desde el código fuente. Para regresar a la vista anterior, debes volver a hacer clic en el botón del código fuente. ## SEO -![image11](https://images.ctfassets.net/alneenqid6w5/3JJ2gdAtrSYY4Xo8V83IUf/799e31402321a340e5978c3a2d621f7a/image11.png) +![image11](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-2.png) - **URL del producto**: ingresa la URL a través de la cual se podrá acceder al producto en la tienda. En este campo no se pueden utilizar espacios ni caracteres especiales. Si la URL está compuesta por más de una palabra, debes separarlas con un `-`. Campo obligatorio. Ejemplo: calzado-deportivo-ultralight. - **Título de la página**: ingresa el título de la página del producto. Para optimizar la posición de tu producto en los resultados de búsqueda, es recomendable no exceder los 60 caracteres. Campo obligatorio. Ejemplo: Calzado deportivo Ultralight. - **Metadescripción**: ingresa el título de la página del producto. Para optimizar la posición de tu producto en los resultados de búsqueda, es recomendable no exceder los 60 caracteres. Campo obligatorio. Ejemplo: Te presentamos el calzado deportivo Ultralight de SportXtreme, perfecto para atletas que buscan ligereza y máxima resistencia durante la actividad física. ## Operaciones y logística -![image7](https://images.ctfassets.net/alneenqid6w5/7u4kwyRsDBKFi1WVu5nV2q/3372b498b4d49932670575ea0b8211ab/image7.png) +![image7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-3.png) - **Políticas comerciales**: selecciona una o más [políticas comerciales](https://help.vtex.com/es/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) para relacionarlas con el producto y determinar en qué marketplaces estará disponible. Si no seleccionas ninguna política comercial, el producto se vinculará a todas ellas de manera predeterminada. Ejemplo: B2C. - **Proveedor**: selecciona un proveedor ya registrado en tu tienda para relacionarlo con el producto. @@ -98,7 +98,7 @@ Si no seleccionas ninguna política comercial, el producto se vinculará a todas - **Código fiscal**: ingresa el número de identificación fiscal del producto. ## Visibilidad -![image4](https://images.ctfassets.net/alneenqid6w5/3CygKnTtnLKzlR5Ci2nHdf/f26b3307479a762ad14f858e033a060b/image4.png)- **Mostrar en el sitio web**: activa o desactiva la visibilidad del producto en tu tienda. Si, por ejemplo, el producto es un regalo que no está disponible para la compra, es importante desactivar esta opción. +![image4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-4.png)- **Mostrar en el sitio web**: activa o desactiva la visibilidad del producto en tu tienda. Si, por ejemplo, el producto es un regalo que no está disponible para la compra, es importante desactivar esta opción. - **Mostrar cuando no tenga stock**: activa o desactiva la opción de mostrar el producto en la tienda incluso si está fuera de stock. Si está activada, el producto agotado se mostrará en tu tienda en el formato [Avísame](https://help.vtex.com/es/tutorial/configurar-a-opcao-avise-me--2VqVifQuf6Co2KG048Yu6e), campo en que el cliente informa su email para ser avisado cuando el producto vuelva a estar disponible. Si la opción está desactivada, el producto no se mostrará en la tienda cuando esté agotado. @@ -111,7 +111,7 @@ Dependiendo de la categoría a la que pertenece el producto que creaste, en la p Si creaste algún campo de producto que sea obligatorio, el producto solo podrá activarse una vez que se haya rellenado la especificación. En la pestaña Atributos se mostrarán los grupos de especificaciones con las especificaciones que registres. Como se puede observar en la imagen, el grupo de especificación es **Características** y las especificaciones registradas son **Video** y **Ver más**. -![image3](https://images.ctfassets.net/alneenqid6w5/tp3ppbjPs7mbSo29DAXwI/946499d76c27c99034f37132b0c6d9fa/image3.png) +![image3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-5.png) ## SKUs En esta pestaña, registrarás los [SKUs](https://help.vtex.com/es/tracks/catalog-101--5AF0XfnjfWeopIFBgs3LIQ/3mJbIqMlz6oKDmyZ2bKJoA#) que estarán vinculados al producto que creaste anteriormente. @@ -122,7 +122,7 @@ En esta pestaña, registrarás los [SKUs](https://help.vtex.com/es/tracks/catalo Aquí se mostrarán las especificaciones anteriormente creadas para los SKU. Si creaste algún campo de SKU obligatorio, el SKU solo podrá activarse una vez que se haya rellenado esa especificación. ## Información general -![image2](https://images.ctfassets.net/alneenqid6w5/48TmuJ985SApT2gwx7IOCW/e08a3e7ece4f6872b7dff3418ad0d297/image2.png) +![image2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-6.png) - **Nombre**: el nombre del SKU que se mostrará en la tienda. Campo obligatorio. - **Código de referencia**: código que utilizará la tienda internamente para identificar el SKU. Campo obligatorio si no se ha rellenado el EAN/UPC del SKU. - **EAN/UPC**: campo que debe contener la información del código de barras. Campo obligatorio si no se ha rellenado el Código de referencia del SKU. @@ -132,12 +132,12 @@ Aquí se mostrarán las especificaciones anteriormente creadas para los SKU. Si ## Imágenes - +>ℹ️ Es necesario adjuntar al menos una imagen a cada SKU para activarlos. Para agregar una imagen al SKU, sigue los pasos a continuación: -1. Haz clic en el botón +.![image8](https://images.ctfassets.net/alneenqid6w5/4cT5SMN8xz8S7dJYaGxVDf/11da22617b306323a5ce39d781edbb14/image8.png) -2. Agrega el link a la imagen en el campo 🔗. Puedes añadir más de una imagen a tu SKU. Para hacerlo, haz clic en + Agregar imagen e inserta el nuevo link.![image6](https://images.ctfassets.net/alneenqid6w5/7lEnztWcQFXIAPFdMkHIaH/96ff215f5caef65e23ecac650111ee50/image6.png) +1. Haz clic en el botón +.![image8](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-7.png) +2. Agrega el link a la imagen en el campo 🔗. Puedes añadir más de una imagen a tu SKU. Para hacerlo, haz clic en + Agregar imagen e inserta el nuevo link.![image6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-8.png) 3. Haz clic en `Guardar`. La primera imagen agregada será la imagen principal del SKU, la que se mostrará en la tienda y en los resultados de búsqueda. @@ -147,7 +147,7 @@ Para editar los metadatos de una imagen haz clic en el botón y seleccionando `Eliminar`. ## Peso y dimensiones -![image1](https://images.ctfassets.net/alneenqid6w5/22wJdRKOCeuO8vegdPncfH/755f8b2ea63544951edf6c52c3670a6b/image1.png) +![image1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/criar-um-produto-beta-9.png) ### Peso y dimensiones de envío - **Peso del paquete**: peso del paquete vacío en kilogramos. Campo obligatorio. - **Anchura del paquete**: ancho del paquete en centímetros. Campo obligatorio. @@ -166,7 +166,7 @@ También puedes eliminar una imagen haciendo clic en el botón o no . - **Generar crédito en tarjeta de regalo**: crédito que recibe el cliente al completar la compra de un SKU determinado. Puedes activar o desactivar esta opción. diff --git a/docs/tutorials/es/customizing-your-stores-typography.md b/docs/tutorials/es/customizing-your-stores-typography.md index 96f44ccb7..b70b1173e 100644 --- a/docs/tutorials/es/customizing-your-stores-typography.md +++ b/docs/tutorials/es/customizing-your-stores-typography.md @@ -3,8 +3,8 @@ title: 'Personalizar la tipografía de tu tienda' id: 2R0ByIjvJtuz99RK3OL5WP status: PUBLISHED createdAt: 2022-01-17T20:32:00.917Z -updatedAt: 2023-03-28T12:13:42.484Z -publishedAt: 2023-03-28T12:13:42.484Z +updatedAt: 2024-09-03T16:02:42.101Z +publishedAt: 2024-09-03T16:02:42.101Z firstPublishedAt: 2022-01-17T21:12:52.262Z contentType: tutorial productTeam: VTEX IO @@ -15,71 +15,69 @@ legacySlug: personalizar-la-tipografia-de-tu-tienda subcategory: 5HsDDU48ZP58JHWU3WbCPc --- -La tipografía del sitio web de tu tienda es una herramienta para comunicar la identidad de tu marca a los clientes. -En el Admin, tienes la flexibilidad de personalizar la tipografía de tu tienda para acomodar las necesidades de tu negocio. +La tipografía de tu tienda online es una herramienta para comunicar la identidad de tu marca a los clientes. +El Admin ofrece la flexibilidad de personalizar la tipografía de tu tienda según las necesidades de tu negocio. ->⚠️ Ten en cuenta que los cambios en la tipografía de tu tienda en el **Storefront** sobrescriben los cambios de tipografía en el código de tu tienda. Por favor, ponte en contacto con tu equipo de desarrollo y asegúrate de que los cambios se realicen en el Storefront o mediante el código de la tienda. +>⚠️ Recuerda que las modificaciones a la tipografía de la tienda realizadas en el **storefront** sustituyen a las modificaciones de tipografía realizadas en el código de la tienda. Asegúrate de comunicarte con tu equipo de desarrollo y verificar si las modificaciones se definirán en el storefront o en el código de la tienda. ## Agregar familias de fuentes personalizadas -1. En el Admin VTEX, accede a **Storefront > Styles (Estilos)**. +1. En el Admin, accede a **Storefront > Estilos**. + 2. Selecciona el ícono de kebab (tres puntos). -![Styles - More Options ES](https://images.ctfassets.net/alneenqid6w5/7qhmfxaMzZ8Aw0F6mygs2i/f58a158cd09d76ad56efc3876b742e2e/styles-two-es.png) +3. Haz clic en **Editar > Tipografía > Familia de fuentes**. -3. Haz clic en **Edit (Editar) > Typography (Tipografía) > Font Family (Familia de fuentes)**. +4. Haz clic en **Agregar fuente personalizada**. -4. Luego, haz clic en **Add Custom Font (Agregar fuente personalizada)** y carga el archivo de fuente deseado. En el campo **Font Family (Familia de fuentes)**, ingresa un nombre para la fuente. +5. En el campo **Familia de fuentes**, crea un nombre para la fuente. ->⚠️ Debes cargar el archivo de la familia de fuentes utilizando las siguientes extensiones de archivo: .ttf o .woff. + ![familia-de-fontes-giff-es](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/personalizar-la-tipografia-de-tu-tienda-0.gif) -5. Haz clic en Save (Guardar) para guardar los cambios. +6. Haz clic en **Enviar** para cargar el archivo de la fuente deseada. -## Cambiar el estilo de fuente +>⚠️ El archivo de la familia de fuentes debe tener una de las siguientes extensiones: .ttf o .woff. -Después de agregar nuevas familias de fuentes, puedes aplicarlas al contenido de texto de tu tienda. Sin embargo, antes de completar los pasos para cambiar el estilo de fuente de tu tienda, debes estar familiarizado con **Tokens de tipo**. +7. Después de cargar los archivos, escoge un estilo para las fuentes. Los valores aceptados son: `Thin`, `Extra Light`, `Light`, `Regular`, `Medium`, `Bold`, `Extra Bold`, `Black`, `Thin Italic`, `Extra Light Italic`, `Light Italic`, `Regular Italic`, `Medium Italic`, `Bold Italic`, `Extra Bold Italic` y `Black Italic`. -Consulta la sección [Tokens de tipo](#type-tokens) para ver más información sobre los tokens de tipo y luego revisa los pasos para cambiar el estilo de fuente. +6. Haz clic en `Guardar`. -### Pasos +## Configurar los tokens de tipo -1. En el Admin VTEX, accede a **Storefront > Styles (Estilos)**. -2. Selecciona el ícono de kebab (tres puntos). -3. Haz clic en **Edit (Editar) > Typography (Tipografía) >Type Tokens (Tokens de tipo)**. +Después de agregar nuevas familias de fuentes, puedes aplicarlas al contenido de texto de tu tienda utilizando **tokens de tipo**. + +La opción **Tokens de tipo** muestra todo el contenido de texto personalizable de tu tienda. Consulta lo que puedes personalizar utilizando los tokens de tipo: -![Styles - Type tokens ES](https://images.ctfassets.net/alneenqid6w5/6kw7SMB36fZsS0SKX00Kss/45b1dfaa49adb3535975be65b03938bf/styles-three-es.gif) +- **Headings (Encabezados):** son los primeros elementos que los usuarios leen y proporcionan información de forma más eficiente, sin usar más palabras de las necesarias. Hay seis encabezados. 'Heading 1' (Encabezado 1) es el estilo de encabezado más común y 'Heading 6' (Encabezado 6) es el menos común. -4. Elige el token de tipo que deseas personalizar como, por ejemplo, **Heading 1** y haz clic en él. +- **Body (Cuerpo):** es el estilo de texto definido para que los párrafos sean legibles al aumentar el espacio entre las líneas. Solo hay un tipo de cuerpo. -5. Luego, selecciona la propiedad del token de tipo que deseas personalizar: +- **Auxiliary small/mini (Auxiliar pequeño/mini):** son elementos secundarios de una interfaz, como leyendas y textos de insignias. Hay dos tipos de auxiliares: pequeño y mini. -| Propiedad | Descripción | Valor disponible | -| ----------- | --------------- | ----------------- | -| __Font Family__ | Define el tipo de fuente de un token de tipo. | `JosefinSans`, `Bold`, `Default` | -| __Font Weight__ | Define cuán gruesos o finos se deben mostrar los caracteres del token de tipo. | `Thin`, `Extra Light`, `Light`, `Normal`, `Medium`, `Semi Bold`, `Bold`, `Extra Bold`, `Black`. | -| __Font Size__ | Define el tamaño de fuente de un token de tipo. | `48px`, `36px`, `24px`, `20px`, `16px`, `14px`, `12px`, | -| __Text transform__ | Define el uso de mayúsculas del token de tipo. | `Initial`, `None`, `Capitalize`, `Uppercase`, `Lowercase`, | -| __Letter Spacing__ | Define el espacio entre los caracteres del token de tipo. | `Normal`, `Tracked`, `Tracked Tight`, `Tracked Mega`, `Zero` | +- **Action (Acción):** es el estilo de texto utilizado en la acción principal de la página y en elementos interactivos, como llamadas a la acción (CTA), botones y pestañas. Hay tres tipos: `Action` (Acción), `Action Small` (Acción pequeña) y `Action Large` (Acción grande). -6. Después de completar los cambios en el token de tipo, haz clic en `Save` (Guardar) para que los cambios se muestren en tu tienda de producción. +- **Code (Código):** es el estilo de texto utilizado para indicar términos técnicos, como lenguajes de programación, cálculos de envío y reglas de cuotas. -### Tokens de tipo +Sigue las instrucciones a continuación para agregar nuevas familias de fuentes: -La opción **Type Tokens** (Tokens de tipo) muestra todo el contenido de texto personalizable de tu tienda. +1. En el Admin, accede a **Storefront > Estilos**. + +2. Selecciona el ícono de kebab (tres puntos). -Ve lo que puedes personalizar utilizando los tokens de tipo: +3. Haz clic en **Editar > Tipografía > Tokens de tipo**. -- **Headings** -Son los primeros elementos que los usuarios leen y dan información de la manera más eficiente con el mínimo necesario de palabras. Hay seis títulos: `Heading 1` es el estilo de título más destacado y `Heading 6` es el menos destacado. + ![tokens-tipo-giff-es](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/personalizar-la-tipografia-de-tu-tienda-1.gif) -- **Body** -El cuerpo es el estilo de texto definido para lograr la legibilidad del párrafo añadiendo altura entre las líneas. Solo hay un tipo de cuerpo. +4. Haz clic en el token que deseas personalizar como, por ejemplo, **Heading 1** (Encabezado 1). -- **Auxiliary (Small and mini)** -Son los elementos secundarios de una interfaz, como las leyendas y el texto de las insignias. Hay dos tipos de auxiliares: «Small» y «mini». +5. Personaliza cada propiedad según la tabla a continuación: -- **Action** -La acción es el estilo de texto utilizado en la acción principal de la página y en los elementos interactivos, como la llamada a la acción (CTA), los botones y las pestañas. Hay tres tipos: «Action», «Action Small» y «Action Large» + | Propiedad | Descripción | Valores disponibles | + | ----------- | --------------- | ----------------- | + | __Font Family__ | Define el tipo de fuente del token de tipo. | `JosefinSans`, `Bold`, `Default` | + | __Font Weight__ | Define el grosor de los caracteres del token de tipo que se mostrarán. | `Thin`, `Extra Light`, `Light`, `Normal`, `Medium`, `Semi Bold`, `Bold`, `Extra Bold`, `Black`. | + | __Font Size__ | Define el tamaño de la fuente del token de tipo. | `48px`, `36px`, `24px`, `20px`, `16px`, `14px`, `12px`, | + | __Text Transform__ | Define el uso de letras mayúsculas del token de tipo. | `Initial`, `None`, `Capitalize`, `Uppercase`, `Lowercase`, | + | __Letter Spacing__ | Define el espacio entre los caracteres del token de tipo. | `Normal`, `Tracked`, `Tracked Tight`, `Tracked Mega`, `Zero` | -- **Code** -El código es el estilo de texto que se utiliza para indicar términos técnicos, como el lenguaje de programación, el estimado de envío y las reglas de cuotas. Solo hay un tipo de código. +6. Haz clic en `Guardar`. diff --git a/docs/tutorials/es/deadline-indicators.md b/docs/tutorials/es/deadline-indicators.md index 8252c5000..e57bf3865 100644 --- a/docs/tutorials/es/deadline-indicators.md +++ b/docs/tutorials/es/deadline-indicators.md @@ -15,4 +15,4 @@ legacySlug: indicadores-de-fecha-limite subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/defining-product-prices.md b/docs/tutorials/es/defining-product-prices.md index f64653469..f05a2ae11 100644 --- a/docs/tutorials/es/defining-product-prices.md +++ b/docs/tutorials/es/defining-product-prices.md @@ -17,4 +17,4 @@ subcategory: 4id9W3RDyw02CasOm2C2iy Ya con los productos registrados, es necesario definir sus precios de venta. Ellos pueden ser limitados por UTMs o incluso tener fechas de inicio y fin. - + diff --git a/docs/tutorials/es/deliveries-progress-vtex-shipping-network.md b/docs/tutorials/es/deliveries-progress-vtex-shipping-network.md index 0c63e3ced..4273fd733 100644 --- a/docs/tutorials/es/deliveries-progress-vtex-shipping-network.md +++ b/docs/tutorials/es/deliveries-progress-vtex-shipping-network.md @@ -15,4 +15,4 @@ legacySlug: progreso-de-las-entregas-vtex-log subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ Actualmente, la solución VTEX Shipping Network se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/disputes-faq.md b/docs/tutorials/es/disputes-faq.md index 2495ec907..ea50feb18 100644 --- a/docs/tutorials/es/disputes-faq.md +++ b/docs/tutorials/es/disputes-faq.md @@ -15,4 +15,4 @@ legacySlug: disputas-faq subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/divergence-errors-between-vtex-and-amazon-catalogs-matching.md b/docs/tutorials/es/divergence-errors-between-vtex-and-amazon-catalogs-matching.md index 7d421be5d..d97b4153e 100644 --- a/docs/tutorials/es/divergence-errors-between-vtex-and-amazon-catalogs-matching.md +++ b/docs/tutorials/es/divergence-errors-between-vtex-and-amazon-catalogs-matching.md @@ -15,4 +15,4 @@ legacySlug: errores-de-divergencia-entre-los-catalogos-de-vtex-y-amazon-matching subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/errors-in-the-category-and-attribute-mapping-worksheet.md b/docs/tutorials/es/errors-in-the-category-and-attribute-mapping-worksheet.md index 9176a9a29..149a958ad 100644 --- a/docs/tutorials/es/errors-in-the-category-and-attribute-mapping-worksheet.md +++ b/docs/tutorials/es/errors-in-the-category-and-attribute-mapping-worksheet.md @@ -15,4 +15,4 @@ legacySlug: errores-en-la-plantilla-de-mapeo-de-categorias-y-atributos subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/facilitating-b2b-store-operation.md b/docs/tutorials/es/facilitating-b2b-store-operation.md index 3efe0f5df..38d39d620 100644 --- a/docs/tutorials/es/facilitating-b2b-store-operation.md +++ b/docs/tutorials/es/facilitating-b2b-store-operation.md @@ -17,7 +17,7 @@ subcategory: 2LrbEY7MFeKqmdfYLBCnfi Puede facilitar la operación de su tienda a través de aplicaciones que se pueden instalar en la misma para solucionar problemas de negocio específicos que están relacionados con la usabilidad de la tienda, las ventas y la posventa. -
      Las siguientes aplicaciones se pueden instalar a través de VTEX App Store y de VTEX IO.
      +>ℹ️ Las siguientes aplicaciones se pueden instalar a través de [VTEX App Store](https://apps.vtex.com/) y de [VTEX IO](https://vtex.io/). ## Herramientas de usabilidad | Herramienta | Uso | @@ -51,13 +51,13 @@ Tomemos como ejemplo un producto que tiene el valor unitario de USD 100 y que es Este es un recurso que se adapta a las necesidades de los clientes mayoristas. Actualmente existen tres formas de establecer un precio fijo en VTEX. Acceda al artículo sobre [cómo registrar precios fijos](https://help.vtex.com/es/tracks/precos-101--6f8pwCns3PJHqMvQSugNfP/3g39iXkQza4AW7C7L814mj "cómo registrar precios fijos") para conocer todas las formas de configuración. -
      Antes de proceder con su lectura, lea el artículo sobre las promociones más usadas para el escenario B2B.
      +>ℹ️ Antes de proceder con su lectura, lea el artículo sobre[ las promociones más usadas para el escenario B2B](https://help.vtex.com/es/tutorial/as-promocoes-mais-comuns-em-b2b--XoM951AzUIvfaH71UdANf?&utm_source=autocomplete). ### Kit de productos En VTEX, todas las tiendas cuentan con el recurso [kit de productos](https://help.vtex.com/pt/tutorial/kit-registration?locale=en "kit de produtos"), a través del cual se puede vender un conjunto de ítems por un precio determinado. -
      En el contexto B2B, el kit de productos, generalmente, se cita como "Bundle". Es decir, los términos "kit de productos" y "bundle" se refieren a la misma herramienta.
      +>ℹ️ En el contexto B2B, el kit de productos, generalmente, se cita como "Bundle". Es decir, los términos "kit de productos" y "bundle" se refieren a la misma herramienta. Para registrar un [kit de productos](https://help.vtex.com/pt/tutorial/cadastrando-kit/ "kit de produtos"), vea la documentación en el Centro de Ayuda. @@ -91,7 +91,7 @@ VTEX cuenta con [My account](https://help.vtex.com/es/tutorial/como-funciona-o-m Esta herramienta permite al consumidor seguir el status de su pedido en el flujo de posventa, así como realizar algunas operaciones. Entre estas, «Pedir nuevamente» para volver a realizar un pedido que se efectuó anteriormente. -![reorder ES](https://images.ctfassets.net/alneenqid6w5/53BeeU3MFPuA26NepAhXrI/708213aadff4d416977f6e5dc6b18638/reorder_ES.png) +![reorder ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/facilitar-la-operacion-de-una-tienda-b2b-0.png) Para saber más detalles de My Account, lea el tutorial sobre [cómo configurar esta funcionalidad](https://help.vtex.com/pt/tutorial/configurar-o-my-account--23Ayv5D6b86UBnYfoXqZL1 "cómo configurar esta funcionalidad"). diff --git a/docs/tutorials/es/fulfillment-magalu.md b/docs/tutorials/es/fulfillment-magalu.md index f9524ee3e..b4f0ce6f0 100644 --- a/docs/tutorials/es/fulfillment-magalu.md +++ b/docs/tutorials/es/fulfillment-magalu.md @@ -15,4 +15,4 @@ legacySlug: fulfillment-magalu subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-and-when-do-i-receive-my-invoice.md b/docs/tutorials/es/how-and-when-do-i-receive-my-invoice.md index 56c0c5d55..d9c4e3154 100644 --- a/docs/tutorials/es/how-and-when-do-i-receive-my-invoice.md +++ b/docs/tutorials/es/how-and-when-do-i-receive-my-invoice.md @@ -15,9 +15,7 @@ legacySlug: como-y-cuando-recibo-mi-factura-y-mi-boleto-bancario subcategory: 5ZfsNR4ioEsIyu6wkyce0M --- - +>⚠️ Este procedimiento es apenas para clientes facturados en **Brasil**. La facturación se dispara hasta el quinto día hábil del mes. La factura y el boleto bancario están disponibles en el módulo __Facturas__ del Admin de su tienda. diff --git a/docs/tutorials/es/how-can-i-track-the-status-of-my-disputes.md b/docs/tutorials/es/how-can-i-track-the-status-of-my-disputes.md index 474a73eb8..c35304494 100644 --- a/docs/tutorials/es/how-can-i-track-the-status-of-my-disputes.md +++ b/docs/tutorials/es/how-can-i-track-the-status-of-my-disputes.md @@ -15,4 +15,4 @@ legacySlug: como-puedo-hacer-un-seguimiento-de-mis-disputas subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-do-i-request-a-duplicate-of-my-boleto.md b/docs/tutorials/es/how-do-i-request-a-duplicate-of-my-boleto.md index e17d2643b..936fc3a27 100644 --- a/docs/tutorials/es/how-do-i-request-a-duplicate-of-my-boleto.md +++ b/docs/tutorials/es/how-do-i-request-a-duplicate-of-my-boleto.md @@ -15,7 +15,7 @@ legacySlug: como-solicitar-una-copia-de-mi-boleto subcategory: 5ZfsNR4ioEsIyu6wkyce0M --- - +>ℹ️ **ATENCIÓN: Este procedimiento es apenas para clientes facturados en Brasil.** En el módulo de Facturas, se puede consultar todas las facturas emitidas por VTEX y actualizar su boleto para pagar después de la fecha de vencimiento. Si no puede acceder a esta área, asegúrese de que tiene el [perfil de acceso financiero](https://help.vtex.com/es/tutorial/como-criar-um-perfil-de-acesso-financeiro--717qPtxW3Cy9n5KrReHeVv). diff --git a/docs/tutorials/es/how-does-reservation-work.md b/docs/tutorials/es/how-does-reservation-work.md index 7640fc07d..658dbb8a5 100644 --- a/docs/tutorials/es/how-does-reservation-work.md +++ b/docs/tutorials/es/how-does-reservation-work.md @@ -3,8 +3,8 @@ title: 'Cómo se maneja la reserva' id: tutorials_92 status: PUBLISHED createdAt: 2017-04-27T22:19:56.753Z -updatedAt: 2023-10-18T17:20:21.911Z -publishedAt: 2023-10-18T17:20:21.911Z +updatedAt: 2024-09-03T17:29:38.830Z +publishedAt: 2024-09-03T17:29:38.830Z firstPublishedAt: 2017-04-27T23:00:42.751Z contentType: tutorial productTeam: Post-purchase @@ -45,7 +45,7 @@ _plazo de vencimiento del pago + plazo de reserva en el stock_ * **cinco días consecutivos:** cuando el día de vencimiento del pago sea miércoles, jueves o viernes. * **seis días consecutivos:** cuando el día de vencimiento del pago sea sábado. ->❗ Los pedidos incompletos tienen un plazo de reserva fijo de 11 días consecutivos. Para saber más, consulta el artículo [Cómo funcionan los pedidos incompletos.](https://help.vtex.com/es/tutorial/como-encontrar-un-pedido--tutorials_294) +>❗ Los pedidos incompletos pueden tener un plazo de reserva de 11 días consecutivos. Para saber más, consulta el artículo [Cómo funcionan los pedidos incompletos.](https://help.vtex.com/es/tutorial/como-encontrar-un-pedido--tutorials_294) Para el markeplace externo, si la información del tiempo de reserva se envía por el campo `lockTTL`, el tiempo de reserva no será calculado por la plataforma VTEX, es si determinado por la fecha límite en el campo. Esto se hace mediante el llamado [Place order](https://developers.vtex.com/docs/api-reference/checkout-api#put-/api/checkout/pub/orders). diff --git a/docs/tutorials/es/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md b/docs/tutorials/es/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md index 5ba25d3ce..a42eb039b 100644 --- a/docs/tutorials/es/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md +++ b/docs/tutorials/es/how-long-does-it-take-to-cancel-an-order-with-an-unpaid-boleto.md @@ -15,5 +15,5 @@ legacySlug: en-cuanto-tiempo-se-cancela-un-pedido-de-boleta-sin-pago subcategory: 3Gdgj9qfu8mO0c0S4Ukmsu --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-the-skyhub-integration-works.md b/docs/tutorials/es/how-the-skyhub-integration-works.md index 0f40b7819..265cb84f9 100644 --- a/docs/tutorials/es/how-the-skyhub-integration-works.md +++ b/docs/tutorials/es/how-the-skyhub-integration-works.md @@ -15,6 +15,6 @@ legacySlug: como-funciona-la-integracion-de-skyhub subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-to-activate-the-shareable-cart-app.md b/docs/tutorials/es/how-to-activate-the-shareable-cart-app.md index fac36e637..894a8477c 100644 --- a/docs/tutorials/es/how-to-activate-the-shareable-cart-app.md +++ b/docs/tutorials/es/how-to-activate-the-shareable-cart-app.md @@ -17,7 +17,7 @@ subcategory: La app [Carrito Compartido](https://apps.vtex.com/vtex-social-selling/p) permite a los vendedores seleccionar productos para sus clientes y compartir el carrito lleno por canales como WhatsApp, Facebook Messenger y correo electrónico. -![Shareable Cart Demo](https://images.ctfassets.net/alneenqid6w5/sf2zbYOG7janUXWbgkajd/93aa5f4ea002c5877a9620722af67890/Jy98kJ.gif) +![Shareable Cart Demo](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-activar-la-app-carrito-compartido-0.gif) Este artículo explica cómo instalar la app y configurar la funcionalidad en su tienda. Una vez completados los pasos de activación, sus vendedores podrán seguir las [instrucciones de uso](https://help.vtex.com/es/tutorial/como-usar-o-app-carrinho-compartilhavel--3ePPpkmeZ96GXbeIoGZbTN) para comenzar sus estrategias de Social Selling. @@ -33,7 +33,7 @@ Para instalar la aplicación en su tienda, realice los siguientes pasos: Una vez completados estos pasos, la app se instalará en la cuenta informada. El siguiente paso es revisar la configuración de la app para ajustarla a las necesidades de su tienda. - +>⚠️ El nombre de su cuenta es el identificador utilizado para acceder a su Admin, en el lugar de {accountName} en la dirección: `https://{accountName}.myvtex.com/admin` ## Configuración @@ -63,7 +63,7 @@ La elección del campo en el que se ingresará el código del vendedor depende d Si se seleccionan ambas alternativas, el vendedor debe indicar qué campo está rellenando en la interfaz de carrito compartible. - +>ℹ️ La información registrada puede encontrarse en el card **Promociones y Marketing** en los [detalles del pedido](https://help.vtex.com/es/tracks/pedidos--2xkTisx4SXOWXQel8Jg8sa/204AjAQseJe8RLUi8GAhiC?locale=pt" target="_blank) o en el objeto `marketingData` devuelto al obtener la información del pedido mediante [Orders API](https://developers.vtex.com/reference/orders#getorder). ### Canales @@ -76,7 +76,7 @@ Esta configuración le permite activar los canales que desea utilizar en la inte - Gmail - Correo electrónico - +>⚠️ Recuerde que el vendedor deberá iniciar sesión en las cuentas de las redes sociales y aplicaciones utilizadas para compartir en el dispositivo empleado para crear el carrito. ## Personalización (opcional) @@ -84,11 +84,11 @@ Si desea personalizar los colores de los botones de la interfaz de carrito compa En la siguiente imagen, la opción A muestra los colores originales y la opción B una posible personalización. -![shareable-cart-ui-customization](https://images.ctfassets.net/alneenqid6w5/7qzGILGsBqu6sD2n052VQl/ba27c3afc9c744907ac707f10658e8e1/shareable-cart-ui-customization.png) +![shareable-cart-ui-customization](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-activar-la-app-carrito-compartido-1.png) El código que figura a continuación debe añadirse al final del archivo `checkout5-custom.css` o `checkout6-custom.css`, disponible para su personalización en *Configuración de la tienda > Checkout > Código*. El archivo que debe editarse depende de la versión de Checkout utilizada por su tienda. - +>❗ **Atención:** Errores en la personalización del checkout pueden afectar el flujo de compras de sus clientes. En caso de que no entienda el siguiente código, pida ayuda a su equipo técnico. Luego, basta con cambiar las propiedades en el código CSS según sea necesario. @@ -230,7 +230,7 @@ Presentamos algunas posibilidades en la tabla de abajo. Recomendamos que el equi - +>ℹ️ En el escenario 4 es necesario [generar cupones masivamente](https://help.vtex.com/es/tutorial/consigo-gerar-um-cupom-em-massa--frequentlyAskedQuestions_348?locale=pt), para que cada vendedor tenga su propio cupón para la identificación y la activación del descuento. ### ¿Quién rellena los datos personales y la dirección: el vendedor o el cliente? diff --git a/docs/tutorials/es/how-to-check-your-financial-transaction-details.md b/docs/tutorials/es/how-to-check-your-financial-transaction-details.md index 83eb7164f..9f654c047 100644 --- a/docs/tutorials/es/how-to-check-your-financial-transaction-details.md +++ b/docs/tutorials/es/how-to-check-your-financial-transaction-details.md @@ -15,4 +15,4 @@ legacySlug: como-consultar-el-detalle-de-los-movimientos-financieros subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/how-to-check-your-statement.md b/docs/tutorials/es/how-to-check-your-statement.md index 9d2f48d66..7903140e1 100644 --- a/docs/tutorials/es/how-to-check-your-statement.md +++ b/docs/tutorials/es/how-to-check-your-statement.md @@ -15,4 +15,4 @@ legacySlug: como-consultar-el-extracto subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/how-to-identify-promotions-attributed-to-an-sku.md b/docs/tutorials/es/how-to-identify-promotions-attributed-to-an-sku.md index 8e3e3fb2f..23ff05e64 100644 --- a/docs/tutorials/es/how-to-identify-promotions-attributed-to-an-sku.md +++ b/docs/tutorials/es/how-to-identify-promotions-attributed-to-an-sku.md @@ -15,21 +15,19 @@ legacySlug: como-identificar-promociones-asignadas-un-sku subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ Las etapas documentadas en este artículo utilizan Google Chrome. Debido a que es una herramienta externa de VTEX, puede actualizarse sin previo aviso. Hemos escrito este artículo para responder a una pregunta recurrente de los usuários de la plataforma VTEX: cual es el motivo de una promoción ser aplicada a un SKU cuando aparentemente no debería? Para descubrir qué promociones están siendo asignadas a un SKU, hay que analizar sus `priceTags`. 1. Acceder al carrito con el producto. -2. En Google Chrome, acceder a las **Herramientas de Desarolladores** (`Ctrl+Shift+I`).![ferramentas-do-desenvolvedor](https://images.contentful.com/alneenqid6w5/3NBGEPjXEkkSqA2WOYs8us/5219ffe6515a120ac0e6d489c78e5820/ferramentas-do-desenvolvedor.png) -3. Seleccione **Network** y presione `F5` para registrar la carga de la página.![network-f5](https://images.contentful.com/alneenqid6w5/1TZRay17qkEO8As8w0MKOS/f4d88d06f2a3fd656aa41e3809f35d45/network-f5.png) -4. Después de la carga, presione `Ctrl+F` para hacer búsqueda en la ventana de Herramientas de Desarolladores y busque por `orderForm`.![order-form](https://images.contentful.com/alneenqid6w5/jtqrcUjDAAqoMUGiYM4qE/94803953c1577a7954ba09f163738e0e/order-form.png) -5. Hacer click en `orderForm` y ir a `items`. Después de hacer click en `items`, hacer click en los números (0, 1, 2 etc.) para ver las características del producto deseado. En nuestro ejemplo, ya que tenemos sólo un elemento, este se representa por el número `0` en el array.![items-0](https://images.contentful.com/alneenqid6w5/DUtSiCdnrwSmoKqqYW8E6/ec7335a0c9308b17b9d8aa2274057220/items-0.png) -6. Después de hacer click en el número, hacia abajo el scroll hasta `priceTags`. Haga click en `priceTags` y luego haga click en los números (`0`, `1`, `2` etc.) para ver las características de la promocion deseada. En nuestro ejemplo, ya que tenemos solamente una promoción, esta se representa por el número `0` en el array. Después de eso, búsqueda por `identifier` de la promoción.![priceTags-0-identifier](https://images.contentful.com/alneenqid6w5/5MCOrSJPaMSYQcimY8CKos/ca8960a1a98f680406daf7879d241987/priceTags-0-identifier.png) -7. En otra pestaña, acceder a la URL `https://{accountName}.vtexcommercestable.com.br/admin/rnb/#/benefit/{numero-del-identifier}`. Esta es la promoción que se aplica efectivamente al producto en el carrito. Comprueba la configuración de la promoción y vea si las condiciones son aplicables al SKU en cuestión.![promo-debug-help](https://images.contentful.com/alneenqid6w5/5G2eJ4AilySK0o8ugaOMq4/b4dba231e9812906a45af5a4432d9783/promo-debug-help.png) +2. En Google Chrome, acceder a las **Herramientas de Desarolladores** (`Ctrl+Shift+I`).![ferramentas-do-desenvolvedor](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-0.png) +3. Seleccione **Network** y presione `F5` para registrar la carga de la página.![network-f5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-1.png) +4. Después de la carga, presione `Ctrl+F` para hacer búsqueda en la ventana de Herramientas de Desarolladores y busque por `orderForm`.![order-form](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-2.png) +5. Hacer click en `orderForm` y ir a `items`. Después de hacer click en `items`, hacer click en los números (0, 1, 2 etc.) para ver las características del producto deseado. En nuestro ejemplo, ya que tenemos sólo un elemento, este se representa por el número `0` en el array.![items-0](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-3.png) +6. Después de hacer click en el número, hacia abajo el scroll hasta `priceTags`. Haga click en `priceTags` y luego haga click en los números (`0`, `1`, `2` etc.) para ver las características de la promocion deseada. En nuestro ejemplo, ya que tenemos solamente una promoción, esta se representa por el número `0` en el array. Después de eso, búsqueda por `identifier` de la promoción.![priceTags-0-identifier](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-4.png) +7. En otra pestaña, acceder a la URL `https://{accountName}.vtexcommercestable.com.br/admin/rnb/#/benefit/{numero-del-identifier}`. Esta es la promoción que se aplica efectivamente al producto en el carrito. Comprueba la configuración de la promoción y vea si las condiciones son aplicables al SKU en cuestión.![promo-debug-help](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-identificar-promociones-asignadas-un-sku-5.png) ## Más información diff --git a/docs/tutorials/es/how-to-identify-the-store-and-salesperson-in-an-instore-order.md b/docs/tutorials/es/how-to-identify-the-store-and-salesperson-in-an-instore-order.md index 60574868a..829016f31 100644 --- a/docs/tutorials/es/how-to-identify-the-store-and-salesperson-in-an-instore-order.md +++ b/docs/tutorials/es/how-to-identify-the-store-and-salesperson-in-an-instore-order.md @@ -15,4 +15,4 @@ legacySlug: como-identificar-la-tienda-y-el-vendedor-en-un-pedido-de-instore subcategory: --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md b/docs/tutorials/es/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md index 3ffc29853..3713b96a7 100644 --- a/docs/tutorials/es/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md +++ b/docs/tutorials/es/how-to-install-and-setup-the-vtex-tracking-app-on-your-vtex-admin.md @@ -15,5 +15,5 @@ legacySlug: como-instalar-y-configurar-la-app-de-vtex-tracking-en-su-admin-vtex subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-to-pay-boletos.md b/docs/tutorials/es/how-to-pay-boletos.md index 7d02ed370..cd3188fd4 100644 --- a/docs/tutorials/es/how-to-pay-boletos.md +++ b/docs/tutorials/es/how-to-pay-boletos.md @@ -15,4 +15,4 @@ legacySlug: como-pagar-boletos-por-vtex-payment subcategory: 6J5IKNejpAxT1Ie23PDtU4 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/how-to-preview-future-transactions.md b/docs/tutorials/es/how-to-preview-future-transactions.md index a98979186..b75d6c6b3 100644 --- a/docs/tutorials/es/how-to-preview-future-transactions.md +++ b/docs/tutorials/es/how-to-preview-future-transactions.md @@ -15,4 +15,4 @@ legacySlug: como-consultar-registros-futuros subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/how-to-request-your-contract-termination-in-brazil.md b/docs/tutorials/es/how-to-request-your-contract-termination-in-brazil.md index d42a1c6f8..5278b5987 100644 --- a/docs/tutorials/es/how-to-request-your-contract-termination-in-brazil.md +++ b/docs/tutorials/es/how-to-request-your-contract-termination-in-brazil.md @@ -15,4 +15,4 @@ legacySlug: como-solicitar-su-rescision-contractual-brasil subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/how-to-use-the-shareable-cart-app.md b/docs/tutorials/es/how-to-use-the-shareable-cart-app.md index 0daadcc64..aa277e156 100644 --- a/docs/tutorials/es/how-to-use-the-shareable-cart-app.md +++ b/docs/tutorials/es/how-to-use-the-shareable-cart-app.md @@ -17,7 +17,7 @@ subcategory: La app [Carrito Compartible](https://apps.vtex.com/vtex-social-selling/p) permite a los vendedores seleccionar productos para sus clientes y compartir el carrito lleno por canales como WhatsApp, Facebook Messenger y correo electrónico (Social Selling). -![Shareable Cart Demo](https://images.ctfassets.net/alneenqid6w5/sf2zbYOG7janUXWbgkajd/93aa5f4ea002c5877a9620722af67890/Jy98kJ.gif) +![Shareable Cart Demo](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-0.gif) Este artículo explica todos los pasos para utilizar esta funcionalidad: activar app, elegir los productos, agregar el código del vendedor, compartir y crear un nuevo carrito. Antes de comenzar, tienes que [activar esta funcionalidad en su tienda](https://help.vtex.com/es/tutorial/como-ativar-o-app-carrinho-compartilhavel--1lS3fQdXpOoC0BTeVhydfg). @@ -31,64 +31,63 @@ Donde `{Dirección web de su tienda}` debe ser reemplazada por la dirección del La interfaz de carrito compartible debe aparecer en la pantalla, incluyendo algunos de los íconos que se muestran a continuación. Las opciones disponibles dependen de la configuración elegida por la tienda. -![Screen Shot 2020-05-03 at 17.37.11](https://images.ctfassets.net/alneenqid6w5/167aYS1QT597gtpD7Zfxtu/834514c7425ede7f3a1f8c0db2480b63/Screen_Shot_2020-05-03_at_17.37.11.png) +![Screen Shot 2020-05-03 at 17.37.11](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-1.png) ## Escoger los productos Una vez activada la app, no es necesario iniciar sesión para empezar a navegar y seleccionar productos. Basta con navegar por la tienda con normalidad, como si estuviera haciendo una compra en línea. Una vez que haya elegido todos los productos para el cliente, simplemente abra el carrito y siga los siguientes pasos en la interfaz de carrito compartible. -![shareable-cart-chooseproducts](https://images.ctfassets.net/alneenqid6w5/5KF6iTOUM6fqoAnwUO6JD1/e20cb733489567945c57599681e68185/shareable-cart-chooseproducts.gif) +![shareable-cart-chooseproducts](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-2.gif) ## Agregar código de vendedor -Después de seleccionar los productos, haga clic en el botón para agregar su código de vendedor. Siga las instrucciones de la tienda al rellenar, pues cada tienda puede elegir diferentes formas de identificar a los vendedores y añadir descuentos a su carrito. +Después de seleccionar los productos, haga clic en el botón para agregar su código de vendedor. Siga las instrucciones de la tienda al rellenar, pues cada tienda puede elegir diferentes formas de identificar a los vendedores y añadir descuentos a su carrito. -![shareable-cart-addcode](https://images.ctfassets.net/alneenqid6w5/1ORhQKfIfTsXZhPR40d3FQ/f751f96f3800e2c7f7ec91bae80257b0/shareable-cart-addcode.gif) +![shareable-cart-addcode](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-3.gif) ## Rellene los datos personales y la dirección (opcional) Según la preferencia del cliente y la orientación de su tienda, podrá rellenar los datos personales y de entrega del pedido. **Los datos de pago siempre deben ser ingresados por el cliente**. -![shareable-cart-customerdetails](https://images.ctfassets.net/alneenqid6w5/4JY5ktzka93UkWov5cMnb6/8d2cccb0e7189da93ed6bf98c37d7752/shareable-cart-customerdetails.gif) +![shareable-cart-customerdetails](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-4.gif) - +>❗ **Nunca pida los datos de pago al enviar el carrito.** Incluso si el cliente insiste, informe que es por la seguridad de todos que él debe ingresar los datos de pago. ## Compartir carrito Después de agregar su código de vendedor, haga clic en el botón correspondiente a la opción deseada. A continuación, detallamos los pasos para cada forma en la que se puede compartir. -![shareable-cart-sharecart](https://images.ctfassets.net/alneenqid6w5/2lFmGUNGO1aECbPwa7w5Fn/d50c6ab066dbfad0b9622f3c2509dcb6/shareable-cart-sharecart.gif) +![shareable-cart-sharecart](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/como-usar-la-app-carrito-compartido-5.gif) ### WhatsApp Para compartir el carrito por WhatsApp: -1. Haga clic en el botón +1. Haga clic en el botón 2. Digite el **número de teléfono del cliente** y haga clic en OK. 3. (Opcional) Personalice el mensaje en WhatsApp. 4. Envíe el mensaje por WhatsApp. - +>⚠️ Antes de compartir un carrito a través de WhatsApp, es necesario configurar una cuenta en su celular o [computadora](https://faq.whatsapp.com/pt_br/web/26000012/?category=5245235&lang=es" target="_blank). Si lo prefiere, puede instalar [WhatsApp Business](https://faq.whatsapp.com/pt_br/general/26000092/?category=5245246&lang=es" target="_blank) para separar su cuenta personal de la cuenta de la tienda. ### Facebook Messenger Para compartir el carrito por Facebook Messenger: -1. Haga clic en el botón +1. Haga clic en el botón 2. Digite el **nombre del perfil del cliente** en Facebook Messenger. 3. Personalice el mensaje en Facebook Messenger. 4. Envíe el mensaje por Facebook Messenger. - +>ℹ️ No es posible compartir carritos en Messenger para perfiles desconocidos. Si el perfil del cliente no aparece en el paso 2, puede utilizar la opción de compartir por enlace y enviar una [solicitud de mensaje](https://es-la.facebook.com/help/208160052556047?helpref=uf_permalink" target="_blank) al perfil del cliente. - +>⚠️ Antes de poder compartir un carrito a través de Facebook Messenger, debe [configurar una cuenta](https://es-la.facebook.com/help/messenger-app/218228001910904?helpref=typeahead_suggestions&sr=2&query=instalar" target="_blank) en su celular o computadora. Si lo prefiere, puede usar [Messenger para empresas](https://es-la.facebook.com/business/help/499491430453591?helpref=search&sr=2&query=messenger" target="_blank) para separar su cuenta personal de la cuenta de la tienda. ### SMS Para compartir el carrito por SMS: -1. Haga clic en el botón +1. Haga clic en el botón 2. Digite el **número de teléfono del cliente** y haga clic en OK. 3. (Opcional) Personalice el mensaje en su aplicación de SMS. 4. Envíe el mensaje por su aplicación de SMS. @@ -97,7 +96,7 @@ Para compartir el carrito por SMS: Para compartir el carrito por Enlace: -1. Haga clic en el botón +1. Haga clic en el botón 2. Copie el enlace destacado en **Enlace para compartir**. 3. (Opcional) Escriba un mensaje personalizado con el enlace. 4. Envíe el enlace al cliente en su canal de contacto. @@ -106,31 +105,31 @@ Para compartir el carrito por Enlace: Para compartir el carrito por Gmail: -1. Haga clic en el botón +1. Haga clic en el botón 2. Digite la **dirección de correo electrónico del cliente** y haga clic en OK. 3. (Opcional) Personalice el mensaje en Gmail. 4. Envíe el mensaje por Gmail. - +>⚠️ Antes de poder compartir un carrito a través de Gmail, debe [iniciar sesión](https://support.google.com/mail/answer/8494?co=GENIE.Platform%3DDesktop&hl=es" target="_blank) en su celular o computadora. Si lo prefiere, puede [alternar entre cuentas](https://support.google.com/accounts/answer/1721977?co=GENIE.Platform%3DDesktop&hl=es" target="_blank) para escoger enviar el mensaje utilizando su cuenta personal o la cuenta de la tienda. ### Correo Electrónico Para compartir el carrito por Correo Electrónico: -1. Haga clic en el botón +1. Haga clic en el botón 2. Digite la **dirección de correo electrónico del cliente** y haga clic en OK. 3. (Opcional) Personalice el mensaje en su aplicación de correo electrónico. 4. Envíe el mensaje por su aplicación de correo electrónico. - +>⚠️ Antes de poder compartir un carrito por correo electrónico, debe tener una aplicación configurada para abrir y enviar correos electrónicos en su celular o computadora. ## Limpiar carrito -Después de terminar la atención de un cliente, haga clic en el botón para limpiar su carrito y escoger nuevos productos para otro cliente. +Después de terminar la atención de un cliente, haga clic en el botón para limpiar su carrito y escoger nuevos productos para otro cliente. - +>ℹ️ **¡Cada vendedor puede trabajar con varios clientes!** Recomendamos guardar los enlaces ya compartidos en una plantilla o en un cuaderno de notas. De esta manera, mantiene sus carritos organizados y podrá hacer cambios cuando lo solicite un cliente. - +>⚠️ El cliente deberá actualizar la página o acceder de nuevo al enlace para ver los cambios realizados en el carrito. diff --git a/docs/tutorials/es/importing-amazon-classic-fba-orders.md b/docs/tutorials/es/importing-amazon-classic-fba-orders.md index 3b4c81f95..bc0367267 100644 --- a/docs/tutorials/es/importing-amazon-classic-fba-orders.md +++ b/docs/tutorials/es/importing-amazon-classic-fba-orders.md @@ -15,4 +15,4 @@ legacySlug: importacion-de-pedidos-de-amazon-fba-classic subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/importing-amazon-dba-orders.md b/docs/tutorials/es/importing-amazon-dba-orders.md index c2fc99504..dd2f09989 100644 --- a/docs/tutorials/es/importing-amazon-dba-orders.md +++ b/docs/tutorials/es/importing-amazon-dba-orders.md @@ -15,4 +15,4 @@ legacySlug: importacion-de-pedidos-de-amazon-dba subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/importing-amazon-fba-onsite-orders.md b/docs/tutorials/es/importing-amazon-fba-onsite-orders.md index 97ea068c3..91b4fae4d 100644 --- a/docs/tutorials/es/importing-amazon-fba-onsite-orders.md +++ b/docs/tutorials/es/importing-amazon-fba-onsite-orders.md @@ -15,6 +15,4 @@ legacySlug: importacion-de-pedidos-de-amazon-fba-onsite subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/inactive-sku-notice.md b/docs/tutorials/es/inactive-sku-notice.md index 2b55dcf70..0cc9aa12b 100644 --- a/docs/tutorials/es/inactive-sku-notice.md +++ b/docs/tutorials/es/inactive-sku-notice.md @@ -15,4 +15,4 @@ legacySlug: aviso-de-sku-inactivo subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/indexing-history-beta.md b/docs/tutorials/es/indexing-history-beta.md index cad41b869..2aeb37898 100644 --- a/docs/tutorials/es/indexing-history-beta.md +++ b/docs/tutorials/es/indexing-history-beta.md @@ -15,9 +15,7 @@ legacySlug: historial-de-indexacion-beta subcategory: 23WdCYqmn2V2Z7SDlc14DF --- - +>ℹ️ Esta funcionalidad está en versión Beta, lo que significa que estamos trabajando para mejorarla. Si tienes alguna duda, contacta a nuestro [equipo de suporte](https://support.vtex.com/hc/es-419/requests). El **Historial de indexación** es la página que monitorea el estado de sincronización de todos los productos del catálogo que se envían a Intelligent Search. Allí se puede ver ampliamente el progreso de la indexación de tu tienda. @@ -35,7 +33,7 @@ La sección **Status de la indexación** muestra la siguiente información: Puedes filtrar la lista de productos indexados para tener una vista personalizada. Cabe destacar que el tiempo medio de indexación y el desglose de los estados se recalcularán en base a los productos filtrados. -Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. +Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/382ba7a8177427afd252d481fadb50f2/Captura_de_Tela_2022-09-01_a__s_13.11.42.png) diff --git a/docs/tutorials/es/indexing-history.md b/docs/tutorials/es/indexing-history.md index e2968e01a..d2ba3086f 100644 --- a/docs/tutorials/es/indexing-history.md +++ b/docs/tutorials/es/indexing-history.md @@ -31,7 +31,7 @@ La sección **Status de la indexación** muestra la siguiente información: Puedes filtrar la lista de productos indexados para tener una vista personalizada. Cabe destacar que el tiempo medio de indexación y el desglose de los estados se recalcularán en base a los productos filtrados. -Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. +Para filtrar la lista de productos indexados, haz clic en `Filtrar` filtros. Selecciona `Status` o `Tiempo de indexación` para definir el criterio de filtrado. ![Historico indexação 3 - PT](https://images.ctfassets.net/alneenqid6w5/4lDygmJ2FzZsQF60nVb4fj/382ba7a8177427afd252d481fadb50f2/Captura_de_Tela_2022-09-01_a__s_13.11.42.png) diff --git a/docs/tutorials/es/indicators-report.md b/docs/tutorials/es/indicators-report.md index 534835e40..278b115a1 100644 --- a/docs/tutorials/es/indicators-report.md +++ b/docs/tutorials/es/indicators-report.md @@ -15,4 +15,4 @@ legacySlug: informe-de-indicadores subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/install-visa-checkout-in-the-extension-store.md b/docs/tutorials/es/install-visa-checkout-in-the-extension-store.md index 1517b44f4..b3d88311f 100644 --- a/docs/tutorials/es/install-visa-checkout-in-the-extension-store.md +++ b/docs/tutorials/es/install-visa-checkout-in-the-extension-store.md @@ -21,7 +21,7 @@ Este artículo tiene el objetivo de mostrar el paso a paso para instalación de En primer lugar, en la pantalla **Explorar**, haga clic en la extensión **Visa Checkout**. -![Extension Store 1](https://images.contentful.com/alneenqid6w5/6E480Kd4t2EqimaiKW8cii/ef5ba713601e5bdc4f97ff20133aa354/Extension_Store_1.png) +![Extension Store 1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/instalar-el-visa-checkout-en-la-extension-store-0.png) Usted tendrá entonces acceso a la página de detalles de la extensión, donde se muestra la siguiente información: @@ -37,14 +37,14 @@ Para instalar el Visa Checkout, basta hacer clic en el botón verde a la derecha El botón de instalación lleva a la pantalla de permisiones, donde es posible visualizar todos los datos y lugares a los que la extensión desea tener acceso. Una vez que usted acepte las permisiones, la extensión será instalada. @@ -53,7 +53,7 @@ Your browser does not support the video tag. Para que la extensión funcione correctamente, usted necesita cumplir una etapa de configuración. Basta completar algunos campos, como mostrado en la imagen a continuación y hacer clic en **Criar conta**. @@ -64,7 +64,7 @@ Usted debe, entonces, ver un mensaje de éxito de la instalación. Además, la VTEX App Store muestra un ambiente de preview del Visa Checkout, donde usted puede probar el funcionamiento de la extensión. @@ -76,4 +76,4 @@ Para mover el Visa Checkout para el ambiente en producción (donde sus clientes Para tanto, basta hacer clic en el botón **Publicar** de la top bar. -![Extension Store 3 - Publishing](https://images.contentful.com/alneenqid6w5/39BcR4BFkk8kGEKiaEWICU/f195532be2243b35168ac69e72226d20/Extension_Store_3_-_Publishing.png) +![Extension Store 3 - Publishing](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/instalar-el-visa-checkout-en-la-extension-store-1.png) diff --git a/docs/tutorials/es/integrated-anti-fraud.md b/docs/tutorials/es/integrated-anti-fraud.md index 56776b7cc..4a7f1881a 100644 --- a/docs/tutorials/es/integrated-anti-fraud.md +++ b/docs/tutorials/es/integrated-anti-fraud.md @@ -15,4 +15,4 @@ legacySlug: antifraude-integrado subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/integrating-with-enjoei.md b/docs/tutorials/es/integrating-with-enjoei.md index bf978ded3..9492944be 100644 --- a/docs/tutorials/es/integrating-with-enjoei.md +++ b/docs/tutorials/es/integrating-with-enjoei.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-enjoei subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integrating-with-loopi.md b/docs/tutorials/es/integrating-with-loopi.md index 34bd09f27..6f8d1f083 100644 --- a/docs/tutorials/es/integrating-with-loopi.md +++ b/docs/tutorials/es/integrating-with-loopi.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-loopi subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integrating-with-madeiramadeira.md b/docs/tutorials/es/integrating-with-madeiramadeira.md index 2f2893025..b9f80eccf 100644 --- a/docs/tutorials/es/integrating-with-madeiramadeira.md +++ b/docs/tutorials/es/integrating-with-madeiramadeira.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-madeiramadeira subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integrating-with-multiplus.md b/docs/tutorials/es/integrating-with-multiplus.md index 88e8d0cf9..9e743e197 100644 --- a/docs/tutorials/es/integrating-with-multiplus.md +++ b/docs/tutorials/es/integrating-with-multiplus.md @@ -15,4 +15,4 @@ legacySlug: integrando-con-multiplus subcategory: 6riYYNZCpO8wyksi8Ksgyq --- - +>⚠️ Desde diciembre de 2018, hemos deshabilitado la integración con Multiplus. diff --git a/docs/tutorials/es/integrating-with-renner-and-camicado.md b/docs/tutorials/es/integrating-with-renner-and-camicado.md index bbfbf72b8..07e853c01 100644 --- a/docs/tutorials/es/integrating-with-renner-and-camicado.md +++ b/docs/tutorials/es/integrating-with-renner-and-camicado.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-renner-y-camicado subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integrating-with-riachuelo.md b/docs/tutorials/es/integrating-with-riachuelo.md index 5b841f712..4a8a76939 100644 --- a/docs/tutorials/es/integrating-with-riachuelo.md +++ b/docs/tutorials/es/integrating-with-riachuelo.md @@ -15,5 +15,5 @@ legacySlug: integracion-con-riachuelo subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integrating-with-zoom.md b/docs/tutorials/es/integrating-with-zoom.md index c4d5df8a4..76a1f4557 100644 --- a/docs/tutorials/es/integrating-with-zoom.md +++ b/docs/tutorials/es/integrating-with-zoom.md @@ -15,5 +15,5 @@ legacySlug: integrar-con-zoom subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/integration-guide-for-erps.md b/docs/tutorials/es/integration-guide-for-erps.md index 2da0289de..9ca2cec5c 100644 --- a/docs/tutorials/es/integration-guide-for-erps.md +++ b/docs/tutorials/es/integration-guide-for-erps.md @@ -15,9 +15,7 @@ legacySlug: guia-de-integracion-de-erps subcategory: 5fKgQZhrCw88ACy6Su6GUc --- - +>❗ Esta guía de integración está desactualizada y se archivará en ** junio de 2020 **. No recomendamos usar el Webservice desde el anuncio de la [nueva API del Catálogo](https://developers.vtex.com/changelog/new-endpoints-available-in-catalog-api" target="_blank). Consulte la[nueva guía de integración de ERP](https://developers.vtex.com/docs/erp-integration-guide" target="_blank) disponible en nuestro Developer Portal. La integración de ERPs con tiendas VTEX se realiza a través de Webservice (SOAP: XML), y API REST (JSON). El [Webservice VTEX](https://help.vtex.com/tutorial/manual-de-clases-y-metodos-utilizados-en-webservice--tutorials_749) debe ser utilizado lo menos posible para los procesos de integración. Hoy con excepción del **catálogo**, todos los demás módulos de VTEX poseen APIs REST bien definidas y de alto rendimiento. diff --git a/docs/tutorials/es/integration-with-vtex-tracking.md b/docs/tutorials/es/integration-with-vtex-tracking.md index cc3082300..36e4bbe92 100644 --- a/docs/tutorials/es/integration-with-vtex-tracking.md +++ b/docs/tutorials/es/integration-with-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: integracion-con-vtex-tracking subcategory: t5ai1r0dN7J4U1IYLbHmG --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/kabum-integration.md b/docs/tutorials/es/kabum-integration.md index faaebf5ac..02f731282 100644 --- a/docs/tutorials/es/kabum-integration.md +++ b/docs/tutorials/es/kabum-integration.md @@ -15,4 +15,4 @@ legacySlug: integracion-de-kabum subcategory: 6riYYNZCpO8wyksi8Ksgyq --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/locations-details-page-beta.md b/docs/tutorials/es/locations-details-page-beta.md index 567180d9c..ac8ea21b2 100644 --- a/docs/tutorials/es/locations-details-page-beta.md +++ b/docs/tutorials/es/locations-details-page-beta.md @@ -15,6 +15,4 @@ legacySlug: pagina-de-detalles-de-la-localidad subcategory: 13sVE3TApOK1C8jMVLTJRh --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/magazine-luiza-inventory-integration-errors.md b/docs/tutorials/es/magazine-luiza-inventory-integration-errors.md index 0a46e2dd7..fc2f6b2db 100644 --- a/docs/tutorials/es/magazine-luiza-inventory-integration-errors.md +++ b/docs/tutorials/es/magazine-luiza-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-stock-con-magazine-luiza subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/managing-loading-docks.md b/docs/tutorials/es/managing-loading-docks.md index 963790ab3..521f24ee6 100644 --- a/docs/tutorials/es/managing-loading-docks.md +++ b/docs/tutorials/es/managing-loading-docks.md @@ -3,8 +3,8 @@ title: 'Gestionar el muelle' id: 7K3FultD8I2cuuA6iyGEiW status: PUBLISHED createdAt: 2017-08-03T14:22:38.666Z -updatedAt: 2023-03-29T15:44:26.137Z -publishedAt: 2023-03-29T15:44:26.137Z +updatedAt: 2024-09-03T15:43:32.430Z +publishedAt: 2024-09-03T15:43:32.430Z firstPublishedAt: 2017-08-03T14:25:42.704Z contentType: tutorial productTeam: Post-purchase @@ -30,18 +30,10 @@ Este artículo contiene la información necesaria para: Es importante saber que para configurar un muelle correctamente hay que: crear el muelle, rellenar los campos de registro (que determinan los horarios de funcionamiento, la prioridad), y también asociar el muelle con la [política comercial](https://help.vtex.com/pt/tutorial/o-que-e-uma-politica-comercial--563tbcL0TYKEKeOY4IAgAE), el [almacén](https://docs.google.com/document/u/0/d/1Nx2HYf58xSJLB3V_voySEW80sxkzzhR8dNrS6mytytM/edit) y la [política de envío](https://help.vtex.com/pt/tutorial/politica-de-envio--tutorials_140?&utm_source=autocomplete). >⚠️ El orden de registro sugerido en la plataforma VTEX para el funcionamiento previsto del sistema logístico es: -> -> -> [Política Comercial;](https://help.vtex.com/en/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) -> -> 2. Política de envío; -> -> -> 3. [Muelle;](https://help.vtex.com/es/tutorial/gerenciar-doca--7K3FultD8I2cuuA6iyGEiW) -> -> Almacén. -> -> +> *[Política comercial](https://help.vtex.com/es/tutorial/como-funciona-uma-politica-comercial--6Xef8PZiFm40kg2STrMkMV) +> * [Política de envío](https://help.vtex.com/es/tutorial/politica-de-envio--tutorials_140) +> * [Muelle](https://help.vtex.com/es/tutorial/doca--5DY8xHEjOLYDVL41Urd5qj) +> * [Almacén](https://help.vtex.com/es/tutorial/estoque--6oIxvsVDTtGpO7y6zwhGpb) ## Registrar diff --git a/docs/tutorials/es/managing-redirects-per-binding.md b/docs/tutorials/es/managing-redirects-per-binding.md index b9fd9e234..e4f7b63d4 100644 --- a/docs/tutorials/es/managing-redirects-per-binding.md +++ b/docs/tutorials/es/managing-redirects-per-binding.md @@ -21,16 +21,14 @@ Las tiendas que tienen varios dominios suelen solicitar gestionar la redirecció Con esto en mente, VTEX le permite gestionar sus redirecciones de URL de acuerdo con el *binding* de la tienda a través de la interfaz del Admin. - +>⚠️ Para crear, editar o eliminar redirecciones, el usuario del Admin VTEX debe tener un rol de acceso con el [recurso de License Manager](https://help.vtex.com/es/tutorial/recursos-del-license-manager--3q6ztrC8YynQf6rdc6euk3) **CMS Settings**. Puedes asignar al usuario un rol de acceso con el recurso siguiendo las instrucciones del artículo [Gestionar usuarios](https://help.vtex.com/es/tutorial/gestionar-usuarios--tutorials_512#editando-usuarios), o crear un nuevo rol de acceso que incluya dicho recurso consultando las instrucciones del artículo [Roles](https://help.vtex.com/es/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc#creando-un-rol). En el Admin VTEX: 1. Acceda al módulo **Storefront > Páginas**. 2. Haga clic en la pestaña `Redirecciones`. -![es-redirect-tab](https://images.ctfassets.net/alneenqid6w5/5TkQzPBMxi9Wh4SCBgVWZ1/ca140110fbe426d775814a1fd5ae4350/redirect-tab.png) +![es-redirect-tab](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/administrando-redireccionamientos-de-url-por-binding-0.png) ## Crear redirecciones manualmente @@ -42,7 +40,7 @@ En la pestaña Redirecciones del módulo Páginas: 4. Indique si la redirección será permanente o temporal. Si es temporal, puede activar el botón `Esta redirección tiene una fecha final` y definir la fecha final. 5. Guarde los cambios. -![es-novoredirect](https://images.ctfassets.net/alneenqid6w5/1XJSvEL4ozDdupa3j0mcx8/95ddbd08e7902a6c7aa7f30a4af85120/nuevo-redirect.png) +![es-novoredirect](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/administrando-redireccionamientos-de-url-por-binding-1.png) ## Eliminar redirecciones manualmente @@ -52,7 +50,7 @@ En la pestaña Redirecciones del módulo Páginas: 2. Haga clic en el botón `Remover`. 3. Confirme la acción. -![es-remover-redirect](https://images.ctfassets.net/alneenqid6w5/5khhDBT5o6ESJjwlaFClr5/a6d978fecd07eba1007ea1b28d2675b6/remover-redirect.png) +![es-remover-redirect](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/administrando-redireccionamientos-de-url-por-binding-2.png) >⚠️ Puede ocurrir un error al intentar hacer clic en las redirecciones que tienen cadenas de query. El equipo de producto de VTEX está al tanto de este comportamiento inesperado y está trabajando en la corrección. Si no puede hacer clic en la redirección que desea eliminar, puede utilizar la hoja de cálculo para eliminarla mientras arreglamos el error. @@ -79,7 +77,7 @@ En la pestaña Redirecciones del módulo Páginas: 4. Haga clic en el botón `Importar`. 5. Haga clic en el botón `Guardar` o `Eliminar` según sea el caso. - ![es-redirect-planilha](https://images.ctfassets.net/alneenqid6w5/4jcHxndX1LyV74UdFJgWNV/7efcfc5207e0972a2b31a4be847b7000/planilha-redirect.png) + ![es-redirect-planilha](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/administrando-redireccionamientos-de-url-por-binding-3.png) >⚠️ Al seleccionar la opción `Guardar`, creará todas las redirecciones enumeradas en la plantilla, mientras que seleccionar la opción `Eliminar` las eliminará todas de la base de datos de su tienda. diff --git a/docs/tutorials/es/managing-url-redirects.md b/docs/tutorials/es/managing-url-redirects.md index 2228d2a5d..7b00d691b 100644 --- a/docs/tutorials/es/managing-url-redirects.md +++ b/docs/tutorials/es/managing-url-redirects.md @@ -15,9 +15,7 @@ legacySlug: gestion-de-redirecciones-de-url subcategory: 1znnjA17XqaUNdNFr42PW5 --- - +>⚠️ Para crear, editar o eliminar redirecciones, el usuario del Admin VTEX debe tener un rol de acceso con el [recurso de License Manager](https://help.vtex.com/es/tutorial/recursos-del-license-manager--3q6ztrC8YynQf6rdc6euk3) **CMS Settings**. Puedes asignar al usuario un rol de acceso con el recurso siguiendo las instrucciones del artículo [Gestionar usuarios](https://help.vtex.com/es/tutorial/gestionar-usuarios--tutorials_512#editando-usuarios), o crear un nuevo rol de acceso que incluya dicho recurso consultando las instrucciones del artículo [Roles](https://help.vtex.com/es/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc#creando-un-rol). 1. En el Admin VTEX, haz clic en **Storefront** > **Redirecciones**. 2. Haz clic en `Nueva redirección`. @@ -27,7 +25,7 @@ Para crear, editar o eliminar redirecciones, el usuario del Admin VTEX debe tene 4. En la casilla de selección, indica si la redirección es temporal o permanente. Si es temporal, debes definir la fecha de fin. 5. Haz clic en `Guardar` para finalizar. -![gerenciando redirecionamentos es 1](https://images.ctfassets.net/alneenqid6w5/6WZzZNgQPLtfwP1Z8fK7S9/ca2f417ea225d8d6875f37c31d0847a7/image5.png) +![gerenciando redirecionamentos es 1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestion-de-redirecciones-de-url-0.png) ## Importar redirección Para importar una redirección, sigue los pasos a continuación. @@ -37,10 +35,12 @@ Para importar una redirección, sigue los pasos a continuación. 3. Haz clic en `Importar archivo`. 4. Haz clic en `Guardar` para finalizar. - +>⚠️ Ten en cuenta que algunos editores pueden modificar automáticamente el separador. Por lo tanto, antes de importar un archivo, verifica que el formato del mismo sea CSV, y que el punto y coma (`;`) se utiliza como separador de valores. No se aceptarán archivos que utilicen otros separadores como comas (`,`) o espacio de tabulación (`  `). +> +> +> +> +> Algunos editores, como Google Sheets, exportan los archivos CSV con la coma (`,`) como separador predeterminado y es posible que no permitan el uso del punto y coma (`;`). En esos casos, se recomienda utilizar otros editores que permitan sustituir los separadores o guardar el archivo con el punto y coma (`;`) como separador. ## Exportar redirección diff --git a/docs/tutorials/es/managing-users.md b/docs/tutorials/es/managing-users.md index 7930262c6..6f3932b24 100644 --- a/docs/tutorials/es/managing-users.md +++ b/docs/tutorials/es/managing-users.md @@ -19,7 +19,7 @@ La gestión de los usuarios con acceso al ambiente administrativo de su tienda V En esta sección, se mostrará la lista de usuarios con sus respectivos __Nombre__, __Email__ y configuración de __MFA__. También pueden verse las presentes opciones de búsqueda, exportación y creación de nuevos usuarios, así como editar y eliminar usuarios. -![Lista Usuários User Management ES](https://images.ctfassets.net/alneenqid6w5/1IjRv0l2rDBrSWtHj82CDm/e5e96de76d8d66202887bd3339e0f01d/Lista_Usu__rios_User_Management_ES.png) +![Lista Usuários User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-0.png) >⚠️ Cualquier usuario que desee gestionar usuarios o claves de aplicación debe tener un perfil que contenga el [recurso](https://help.vtex.com/es/tutorial/recursos-del-license-manager--3q6ztrC8YynQf6rdc6euk3) **Save User**. Puedes utilizar, por ejemplo, el perfil predeterminado [User Administrator - RESTRICTED](https://help.vtex.com/es/tutorial/roles-de-usuario-predefinidos--jGDurZKJHvHJS13LnO7Dy#user-administrator-restricted). @@ -28,10 +28,10 @@ En esta sección, se mostrará la lista de usuarios con sus respectivos __Nombre 1. En la barra superior de VTEX Admin, haga clic en el **avatar de tu perfil**, marcado con la inicial de tu correo electrónico, y luego en **Configuración de la cuenta** > **Cuenta**. 2. Haga clic en el botón `+ Nuevo`. 3. Rellene el campo **Email**. - ![Cadastro Novo usuário User Management ES](https://images.ctfassets.net/alneenqid6w5/6EWyev5Qu1nYYxbL1K8YMw/c25703eb8635123358251772d94e147a/Cadastro_Novo_usu__rio_User_Management_ES.png) + ![Cadastro Novo usuário User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-1.png) 4. Haga clic en `+ Agregar roles`. 5. Seleccione los [roles](https://help.vtex.com/es/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc) deseados, como se muestra en la imagen: - ![Selecionar perfis User Management ES](https://images.ctfassets.net/alneenqid6w5/4wSp2QkYZH114DFFEOo3ly/fed2df535522db7b5d7288845497b8d4/seleccionar-roles.PNG) + ![Selecionar perfis User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-2.PNG) 6. Haga clic en `Agregar rol` para confirmar la selección. 7. Haga clic en `Guardar`. @@ -43,25 +43,25 @@ La contraseña debe tener al menos 8 caracteres, incluyendo un número, una letr 1. En la barra superior de VTEX Admin, haga clic en el **avatar de tu perfil**, marcado con la inicial de tu correo electrónico, y luego en **Configuración de la cuenta** > **Cuenta**. 2. Para editar un usuario ya registrado, haga clic en su nombre. Esto también es posible haciendo clic en los tres puntos al lado derecho del usuario en la lista y luego en la opción **Editar**. - ![Botão Editar Usuário User Management ES](https://images.ctfassets.net/alneenqid6w5/5XzJuCftOAty7JHkxHO5Th/6063958f0625ce0beabac99f407a3b87/Bot__o_Editar_Usu__rio_User_Management_ES.png) - + ![Botão Editar Usuário User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-3.png) + >⚠️ El email no puede ser cambiado. Si desea hacer esto, se deberá realizar un nuevo registro. 3. En la pantalla de edición, se pueden agregar o eliminar los [roles](https://help.vtex.com/es/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc) de los usuarios. - ![Selecionar perfis User Management ES](https://images.ctfassets.net/alneenqid6w5/4wSp2QkYZH114DFFEOo3ly/fed2df535522db7b5d7288845497b8d4/seleccionar-roles.PNG) + ![Selecionar perfis User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-4.PNG) 4. Haga clic en `Agregar rol` para confirmar la selección. 5. Haga clic en `Guardar`. - +>ℹ️ Aparecerá una alerta al agregar nuevos roles para un usuario que no utiliza autenticación de múltiples factores (MFA). El artículo [Habilitar login por autenticación de 2 factores](https://help.vtex.com/es/tutorial/habilitar-login-por-autenticacao-de-2-fatores--4Ae1fcQi12g8u4SkQKCqWQ) muestra como habilitar esta configuración. - +>⚠️ Si se remueven todos los roles del usuario, el mismo no podrá más acceder al Admin. ## Eliminando un usuario 1. En la barra superior de VTEX Admin, haga clic en el **avatar de tu perfil**, marcado con la inicial de tu correo electrónico, y luego en **Configuración de la cuenta** > **Cuenta**. 2. Para remover el acceso de un usuario, haga clic en botón con tres puntos al lado del usuario que desea eliminar. 3. Haga clic en la opción **Eliminar**. - ![Botão Excluir Usuário User Management ES](https://images.ctfassets.net/alneenqid6w5/40v9IfXb47lKyi79vZgWpJ/fe34b8820154abc988ee1317cf75da3a/Bot__o_Excluir_Usu__rio_User_Management_ES.png) + ![Botão Excluir Usuário User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-5.png) 4. Confirme haciendo clic en `SÍ, ELIMINAR TODO ACCESO`. - ![Confirmar Remover Acesso User Management ES](https://images.ctfassets.net/alneenqid6w5/2lnDFzfX0ZPsZM8uX59Nq7/2e0ecc32f578b0da6f0698fb136a8a21/Confirmar_Remover_Acesso_User_Management_ES.png) + ![Confirmar Remover Acesso User Management ES](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/gestionar-usuarios-6.png) ## Exportando datos de usuarios diff --git a/docs/tutorials/es/mapping-categories-and-brands-for-the-marketplace-beta.md b/docs/tutorials/es/mapping-categories-and-brands-for-the-marketplace-beta.md index a714a7c35..22a25763f 100644 --- a/docs/tutorials/es/mapping-categories-and-brands-for-the-marketplace-beta.md +++ b/docs/tutorials/es/mapping-categories-and-brands-for-the-marketplace-beta.md @@ -15,5 +15,5 @@ legacySlug: mapeo-de-categorias-y-marcas-para-marketplace-beta subcategory: 24EN0qRBg4yK0uusGUGosu --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/mercado-libre-promotions.md b/docs/tutorials/es/mercado-libre-promotions.md index cf84bfeb5..19c447372 100644 --- a/docs/tutorials/es/mercado-libre-promotions.md +++ b/docs/tutorials/es/mercado-libre-promotions.md @@ -21,7 +21,7 @@ Para proporcionar mayor agilidad a la operación del seller, en la barra de bús Para acceder a la página de promociones disponibles en el Admin VTEX, debes ir a __Marketplace > Mercado Libre > Promociones.__ -![Promociones de Mercado Libre](https://images.ctfassets.net/alneenqid6w5/6LigPeBx1YMf6NQPJaqURK/cae6ebf8e19c5bc2fd8b8d4839ad029e/buscapromocoes.gif) +![Promociones de Mercado Libre](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/promociones-de-mercado-libre-0.gif) ## Tipos de promociones @@ -173,7 +173,7 @@ Si el seller desea modificar el precio de un producto que participa de esta camp El marketplace selecciona los productos que podrán participar de la campaña. Al seleccionar el tipo de campaña Descuento por cantidad, encontrarás estas dos secciones. - +>ℹ️ El tipo de campaña «Descuento por cantidad» tiene un plazo para que el seller participe. En caso de que ese plazo se venza, solo se mostrará la sección **Disponibles.** #### Disponibles diff --git a/docs/tutorials/es/minimum-stock-control-for-integrations.md b/docs/tutorials/es/minimum-stock-control-for-integrations.md index 1864502a1..9de695d6f 100644 --- a/docs/tutorials/es/minimum-stock-control-for-integrations.md +++ b/docs/tutorials/es/minimum-stock-control-for-integrations.md @@ -1,9 +1,9 @@ --- title: 'Control de stock mínimo para integraciones' id: 5hvUNIiSeJ5QCaZQYpYf1D -status: PUBLISHED +status: CHANGED createdAt: 2020-10-16T15:25:46.901Z -updatedAt: 2023-03-29T16:15:17.491Z +updatedAt: 2024-09-04T14:27:54.489Z publishedAt: 2023-03-29T16:15:17.491Z firstPublishedAt: 2020-10-16T17:29:32.622Z contentType: tutorial @@ -40,7 +40,7 @@ Para configurar el stock mínimo en su integración, realice los siguientes paso 2. En el menú Marketplace > Conexiones, haga clic en **Integraciones**. 3. Seleccione la opción **Configuración**. 4. Elija la integración que desea configurar. -5. Cuando elija la integración, haga clic en el engranaje. +5. Cuando elija la integración, haga clic en el engranaje. 6. Seleccione la opción **Editar configuración**. 7. En el campo **Stock mínimo**, ingrese en valor deseado. 8. Finalmente, haga clic en el botón **Guardar configuración**. diff --git a/docs/tutorials/es/netshoes-inventory-integration-errors.md b/docs/tutorials/es/netshoes-inventory-integration-errors.md index c2aba0faa..685dc4f5a 100644 --- a/docs/tutorials/es/netshoes-inventory-integration-errors.md +++ b/docs/tutorials/es/netshoes-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-stock-con-netshoes subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ Este contenido es exclusivamente regional;  +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/new-route.md b/docs/tutorials/es/new-route.md index d4ac8e5a1..d477ceb56 100644 --- a/docs/tutorials/es/new-route.md +++ b/docs/tutorials/es/new-route.md @@ -15,4 +15,4 @@ legacySlug: nueva-ruta subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/opening-tickets-to-vtex-support-beta.md b/docs/tutorials/es/opening-tickets-to-vtex-support-beta.md index 903d3264f..86c2a2e4f 100644 --- a/docs/tutorials/es/opening-tickets-to-vtex-support-beta.md +++ b/docs/tutorials/es/opening-tickets-to-vtex-support-beta.md @@ -15,6 +15,4 @@ legacySlug: abrir-tickets-para-el-soporte-vtex-beta subcategory: 2z8Y3gMXH2piEmAVDs1fSf --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/order-errors-in-the-b2w-integration.md b/docs/tutorials/es/order-errors-in-the-b2w-integration.md index 2da6ff674..9f95bc696 100644 --- a/docs/tutorials/es/order-errors-in-the-b2w-integration.md +++ b/docs/tutorials/es/order-errors-in-the-b2w-integration.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-pedidos-de-b2w subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/order-errors-in-the-carrefour-integration.md b/docs/tutorials/es/order-errors-in-the-carrefour-integration.md index 5ff17bb60..18f5b1371 100644 --- a/docs/tutorials/es/order-errors-in-the-carrefour-integration.md +++ b/docs/tutorials/es/order-errors-in-the-carrefour-integration.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-pedidos-de-carrefour subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/order-errors-in-the-magazine-luiza-integration.md b/docs/tutorials/es/order-errors-in-the-magazine-luiza-integration.md index 7973801e6..622298fdc 100644 --- a/docs/tutorials/es/order-errors-in-the-magazine-luiza-integration.md +++ b/docs/tutorials/es/order-errors-in-the-magazine-luiza-integration.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-pedidos-de-magazine-luiza subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/order-errors-in-the-netshoes-integration.md b/docs/tutorials/es/order-errors-in-the-netshoes-integration.md index 7838ca00e..f49652cc3 100644 --- a/docs/tutorials/es/order-errors-in-the-netshoes-integration.md +++ b/docs/tutorials/es/order-errors-in-the-netshoes-integration.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-pedidos-de-netshoes subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/order-errors-in-the-via-integration.md b/docs/tutorials/es/order-errors-in-the-via-integration.md index d4ac45dbc..d3a905d5a 100644 --- a/docs/tutorials/es/order-errors-in-the-via-integration.md +++ b/docs/tutorials/es/order-errors-in-the-via-integration.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-pedidos-de-via subcategory: 5m1qqfnmfYKsO0KiOQC8Ky --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/payment-methods.md b/docs/tutorials/es/payment-methods.md index 98325c5c0..6c1fc64a0 100644 --- a/docs/tutorials/es/payment-methods.md +++ b/docs/tutorials/es/payment-methods.md @@ -15,4 +15,4 @@ legacySlug: formas-de-pago subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/pix-faq.md b/docs/tutorials/es/pix-faq.md index 05e021c38..847bd7e44 100644 --- a/docs/tutorials/es/pix-faq.md +++ b/docs/tutorials/es/pix-faq.md @@ -15,4 +15,4 @@ legacySlug: pix-faq subcategory: 2Xay1NOZKE2CSqKMwckOm8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/portadores-vtex-tracking.md b/docs/tutorials/es/portadores-vtex-tracking.md index c4296698b..178ccf4be 100644 --- a/docs/tutorials/es/portadores-vtex-tracking.md +++ b/docs/tutorials/es/portadores-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: portadores-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/products-errors-in-the-amazon-integration.md b/docs/tutorials/es/products-errors-in-the-amazon-integration.md index 3a2f8e78b..317af6cb3 100644 --- a/docs/tutorials/es/products-errors-in-the-amazon-integration.md +++ b/docs/tutorials/es/products-errors-in-the-amazon-integration.md @@ -15,4 +15,4 @@ legacySlug: errores-de-integracion-de-productos-de-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/promotions-simulator-beta.md b/docs/tutorials/es/promotions-simulator-beta.md index f2cf7ceb2..a8915f3ba 100644 --- a/docs/tutorials/es/promotions-simulator-beta.md +++ b/docs/tutorials/es/promotions-simulator-beta.md @@ -29,7 +29,7 @@ El **Simulador de promociones** está disponible para todas las tiendas VTEX med 2. Agrega productos al carrito y accede al checkout mediante `https://{nombredelacuenta}.myvtex.com/checkout/#/cart`. -3. Haz clic en el botón azul cartman-icon en la parte inferior derecha de la página para iniciar Cartman. +3. Haz clic en el botón azul cartman-icon en la parte inferior derecha de la página para iniciar Cartman. 4. Haz clic en **Simulador de promociones**. En la nueva ventana, verás una lista de los productos que están en tu carrito. Podrás ver todas las promociones aplicadas y aplicables a cada uno de los ítems. diff --git a/docs/tutorials/es/promotions-simulator.md b/docs/tutorials/es/promotions-simulator.md index 9113f6261..9d492c252 100644 --- a/docs/tutorials/es/promotions-simulator.md +++ b/docs/tutorials/es/promotions-simulator.md @@ -22,7 +22,7 @@ El **Simulador de promociones** te permite ver las promociones aplicadas a tu ca Para utilizar esta funcionalidad, primero debes [configurar Cartman](https://help.vtex.com/es/tutorial/configurar-cartman--1ACMTStZYkMqB0lTgwg451), una herramienta que simula, comparte e investiga los carritos. Con Cartman configurado, sigue los pasos a continuación para acceder al **Simulador de Promociones**. 1. Añade a tu carrito los productos incluidos en las promociones de la tienda. -2. En el carrito, haz clic en el botón cartman-icon para abrir Cartman. +2. En el carrito, haz clic en el botón cartman-icon para abrir Cartman. 3. Haz clic en la opción `Ver detalles de la promoción`. 4. Esta ventana muestra las promociones aplicadas al carrito. Para más detalles, haz clic en `Ver detalles`. ![cartman-analisador-promoção-ES](https://images.ctfassets.net/alneenqid6w5/43LSTCKfLxf0Buvbc3mNpQ/f4cd037dc329105e0dd0cc2a08bfb75c/Screen_Shot_2022-03-07_at_11.14.14.png) diff --git a/docs/tutorials/es/ready-to-dispatch.md b/docs/tutorials/es/ready-to-dispatch.md index 4e76818b2..9b68647b4 100644 --- a/docs/tutorials/es/ready-to-dispatch.md +++ b/docs/tutorials/es/ready-to-dispatch.md @@ -15,4 +15,4 @@ legacySlug: listos-para-despacho subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ Actualmente, la solución VTEX Shipping Network se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/reconciliation-of-accounts-receivable.md b/docs/tutorials/es/reconciliation-of-accounts-receivable.md index 5a5558640..f662e81e1 100644 --- a/docs/tutorials/es/reconciliation-of-accounts-receivable.md +++ b/docs/tutorials/es/reconciliation-of-accounts-receivable.md @@ -15,4 +15,4 @@ legacySlug: conciliacion-financiera-de-las-cuentas-por-cobrar subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/reports.md b/docs/tutorials/es/reports.md index ee6980f93..a78a5c1d0 100644 --- a/docs/tutorials/es/reports.md +++ b/docs/tutorials/es/reports.md @@ -15,4 +15,4 @@ legacySlug: informes subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/requesting-a-contract-termination-in-argentina-and-colombia.md b/docs/tutorials/es/requesting-a-contract-termination-in-argentina-and-colombia.md index 9274dc868..d9a88c3c5 100644 --- a/docs/tutorials/es/requesting-a-contract-termination-in-argentina-and-colombia.md +++ b/docs/tutorials/es/requesting-a-contract-termination-in-argentina-and-colombia.md @@ -15,7 +15,7 @@ legacySlug: solicitar-la-rescision-contractual-en-argentina-y-colombia subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>ℹ️ Para llevar a cabo la rescisión del contrato, su tienda no puede tener ninguna deuda con VTEX. De ser así, la deuda debe pagarse para poder continuar con el proceso. Sepa [cómo pagar su factura](https://help.vtex.com/es/tutorial/como-baixar-boletos-e-notas-fiscais-da-vtex--tutorials_653" target="_blank). Para solicitar una rescisión, póngase en contacto con nuestro equipo financiero a través de un [ticket](https://help.vtex.com/es/tutorial/opening-tickets-to-vtex-support-finacial--1ad3TguXzCSKq4yuYSK80c), la apertura de un ticket producirá una respuesta de VTEX. Después de este contacto, debe enviar los documentos obligatorios. diff --git a/docs/tutorials/es/requesting-the-ssl-certificate.md b/docs/tutorials/es/requesting-the-ssl-certificate.md index 8e9d1587e..75c6514fa 100644 --- a/docs/tutorials/es/requesting-the-ssl-certificate.md +++ b/docs/tutorials/es/requesting-the-ssl-certificate.md @@ -19,6 +19,6 @@ El certificado SSL protegerá la transferencia de datos importantes de sus clien _El video presentado en este tutorial todavía no ha sido traducido para español. Estamos trabajando para ofrecer más contenido en español. Gracias por la comprensión_ - + [Vea en más detalles cómo contratar el certificado de seguridad (SSL).](/es/tutorial/como-contratar-el-certificado-de-seguridad/) diff --git a/docs/tutorials/es/routes.md b/docs/tutorials/es/routes.md index 055d1c502..c46e926c2 100644 --- a/docs/tutorials/es/routes.md +++ b/docs/tutorials/es/routes.md @@ -15,4 +15,4 @@ legacySlug: rutas subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/routing-monitoring.md b/docs/tutorials/es/routing-monitoring.md index ba2a53816..47230a466 100644 --- a/docs/tutorials/es/routing-monitoring.md +++ b/docs/tutorials/es/routing-monitoring.md @@ -15,4 +15,4 @@ legacySlug: monitoreo-de-rutas subcategory: 6a36lWUX5znjBVYTrfc29x --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/scheduling-content-updates.md b/docs/tutorials/es/scheduling-content-updates.md index 414764675..47341eca8 100644 --- a/docs/tutorials/es/scheduling-content-updates.md +++ b/docs/tutorials/es/scheduling-content-updates.md @@ -15,9 +15,7 @@ legacySlug: programar-actualizaciones-de-contenido subcategory: 9Arh3cJIOYlfSD1MUC2h3 --- - +>⚠️ La actualización programada puede tardar hasta 30 minutos en surtir efecto y aparecer en su página. Después de [crear una nueva versión de contenido](https://help.vtex.com/es/tutorial/gerenciando-versoes-de-conteudo--4loXo98CZncY0NnjKrScbG?&utm_source=autocomplete), puedes programar su publicación en tu tienda a través del recurso **Visibilidad**. diff --git a/docs/tutorials/es/scheduling-report.md b/docs/tutorials/es/scheduling-report.md index 9d87136f1..80388cec0 100644 --- a/docs/tutorials/es/scheduling-report.md +++ b/docs/tutorials/es/scheduling-report.md @@ -15,4 +15,4 @@ legacySlug: informe-de-programaciones subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/service-indicators.md b/docs/tutorials/es/service-indicators.md index 35a396684..91f0aac7c 100644 --- a/docs/tutorials/es/service-indicators.md +++ b/docs/tutorials/es/service-indicators.md @@ -15,4 +15,4 @@ legacySlug: indicadores-de-servicio subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/service-management.md b/docs/tutorials/es/service-management.md index 96519c177..ea2f72b8c 100644 --- a/docs/tutorials/es/service-management.md +++ b/docs/tutorials/es/service-management.md @@ -15,4 +15,4 @@ legacySlug: gestion-de-servicios subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/services-import.md b/docs/tutorials/es/services-import.md index 5b0d9044f..242e5e0d5 100644 --- a/docs/tutorials/es/services-import.md +++ b/docs/tutorials/es/services-import.md @@ -15,4 +15,4 @@ legacySlug: importacion-de-servicios subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/services-report.md b/docs/tutorials/es/services-report.md index 0f4da0187..47d11b1dc 100644 --- a/docs/tutorials/es/services-report.md +++ b/docs/tutorials/es/services-report.md @@ -15,4 +15,4 @@ legacySlug: informe-de-servicios subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/services-scheduling.md b/docs/tutorials/es/services-scheduling.md index 705db6246..213c1367a 100644 --- a/docs/tutorials/es/services-scheduling.md +++ b/docs/tutorials/es/services-scheduling.md @@ -15,4 +15,4 @@ legacySlug: programacion-de-servicios subcategory: 7GypxQ3HDmFVCHTNTwyhr0 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/setting-up-amazonpay-beta.md b/docs/tutorials/es/setting-up-amazonpay-beta.md index 4abc0c4a6..f91df4aca 100644 --- a/docs/tutorials/es/setting-up-amazonpay-beta.md +++ b/docs/tutorials/es/setting-up-amazonpay-beta.md @@ -15,4 +15,4 @@ legacySlug: configurar-amazonpay-beta subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/setting-up-bradesco-registered-ticket.md b/docs/tutorials/es/setting-up-bradesco-registered-ticket.md index 732f04286..9f8504601 100644 --- a/docs/tutorials/es/setting-up-bradesco-registered-ticket.md +++ b/docs/tutorials/es/setting-up-bradesco-registered-ticket.md @@ -15,4 +15,4 @@ legacySlug: configurar-boleto-registrado-bradesco subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/setting-up-itau-registered-ticket.md b/docs/tutorials/es/setting-up-itau-registered-ticket.md index a17bd63a2..9e3e7b846 100644 --- a/docs/tutorials/es/setting-up-itau-registered-ticket.md +++ b/docs/tutorials/es/setting-up-itau-registered-ticket.md @@ -15,5 +15,5 @@ legacySlug: configurar-boleto-registrado-itau subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/setting-up-lendico-boleto-in-installments-as-a-payment-method.md b/docs/tutorials/es/setting-up-lendico-boleto-in-installments-as-a-payment-method.md index bacc1223e..75b53b3a9 100644 --- a/docs/tutorials/es/setting-up-lendico-boleto-in-installments-as-a-payment-method.md +++ b/docs/tutorials/es/setting-up-lendico-boleto-in-installments-as-a-payment-method.md @@ -15,4 +15,4 @@ legacySlug: configurar-boleto-en-plazos-lendico-como-medio-de-pago subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/setting-up-payment-with-paypal.md b/docs/tutorials/es/setting-up-payment-with-paypal.md index 11fb41f8b..910f74a87 100644 --- a/docs/tutorials/es/setting-up-payment-with-paypal.md +++ b/docs/tutorials/es/setting-up-payment-with-paypal.md @@ -50,6 +50,4 @@ Haga clic en __Guardar__. Listo! Ahora se muestra en el checkout la opción de pago utilizando PayPal. Después de finalizar compra, su cliente será redirigido al ambiente de PayPal para realizar su autenticación y rellenar los datos de la tarjeta de crédito. - +>⚠️ **Nota:** Pagamento parcelado no está disponible para este pago. diff --git a/docs/tutorials/es/setting-up-payments-with-55pay.md b/docs/tutorials/es/setting-up-payments-with-55pay.md index 24a458592..c305d5d8a 100644 --- a/docs/tutorials/es/setting-up-payments-with-55pay.md +++ b/docs/tutorials/es/setting-up-payments-with-55pay.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-55pay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-aarin.md b/docs/tutorials/es/setting-up-payments-with-aarin.md index aa9879daa..12787f8e1 100644 --- a/docs/tutorials/es/setting-up-payments-with-aarin.md +++ b/docs/tutorials/es/setting-up-payments-with-aarin.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-aarin subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-abastece-ai.md b/docs/tutorials/es/setting-up-payments-with-abastece-ai.md index 6a7c5f348..f468cedc4 100644 --- a/docs/tutorials/es/setting-up-payments-with-abastece-ai.md +++ b/docs/tutorials/es/setting-up-payments-with-abastece-ai.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-abastece-ai subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-bom-pra-credito.md b/docs/tutorials/es/setting-up-payments-with-bom-pra-credito.md index 72e6fc0b7..52e243260 100644 --- a/docs/tutorials/es/setting-up-payments-with-bom-pra-credito.md +++ b/docs/tutorials/es/setting-up-payments-with-bom-pra-credito.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-bom-pra-credito subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-dm-pag.md b/docs/tutorials/es/setting-up-payments-with-dm-pag.md index 706e8cd22..e08e8febe 100644 --- a/docs/tutorials/es/setting-up-payments-with-dm-pag.md +++ b/docs/tutorials/es/setting-up-payments-with-dm-pag.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-dm-pag subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-dock.md b/docs/tutorials/es/setting-up-payments-with-dock.md index 7805de076..534daf39d 100644 --- a/docs/tutorials/es/setting-up-payments-with-dock.md +++ b/docs/tutorials/es/setting-up-payments-with-dock.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-dock subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-easypay-seller.md b/docs/tutorials/es/setting-up-payments-with-easypay-seller.md index fa75b66b0..a17930bc5 100644 --- a/docs/tutorials/es/setting-up-payments-with-easypay-seller.md +++ b/docs/tutorials/es/setting-up-payments-with-easypay-seller.md @@ -22,7 +22,7 @@ Para utilizar la afiliación easypay en tu marketplace, es necesario: - [Instalar la aplicación easypay seller account](#instalar-la-aplicacion-easypay-seller-account) - [Configurar la aplicación easypay seller account](#configurar-la-aplicacion-easypay-seller-account) - +>⚠️ Si deseas configurar easypay para un contexto distinto al de seller, consulta los artículos [Configurar pago con easypay](https://help.vtex.com/es/tutorial/configurar-pago-con-easypay--3xJQqjMIn0ARDI1HcwK88J) o [Configurar pago con easypay marketplace](https://help.vtex.com/es/tutorial/configurar-pago-con-easypay-marketplace--3YllWiITcPEOpteuToEdO7). ## Instalar la aplicación easypay seller account @@ -45,7 +45,7 @@ Después de instalar la aplicación easypay seller account, debes configurarla.
      - Easypay Account UID: identificación de la cuenta seller en la que se abonarán los valores de la compra de productos adquiridos en la tienda. Para obtener esta información, accede al entorno easypay, haz clic en el logotipo de easypay situado en la esquina superior de la pantalla y, a continuación, en la cuenta deseada. Copia y guarda la información Account UID. -![easypay_pt_18](https://images.ctfassets.net/alneenqid6w5/72jPh8mwBcEqbtiCBU09Bm/e9218fcccf92ed76e45024aa1c4c2285/easypay_pt_18.PNG) +![easypay_pt_18](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-seller-0.PNG)
      4. Haz clic en Guardar. diff --git a/docs/tutorials/es/setting-up-payments-with-easypay.md b/docs/tutorials/es/setting-up-payments-with-easypay.md index b160fba8c..1668feb62 100644 --- a/docs/tutorials/es/setting-up-payments-with-easypay.md +++ b/docs/tutorials/es/setting-up-payments-with-easypay.md @@ -25,7 +25,7 @@ Para utilizar easypay, debes: - [Configurar la afiliación de easypay](#configurar-la-afiliacion-de-easypay) - [Configurar el pago con Apple Pay en easypay (opcional)](#configurar-el-pago-con-apple-pay-en-easypay-opcional) - +>⚠️ Si eres marketplace o seller, consulta los artículos [Configurar pago con easypay en marketplace](https://help.vtex.com/es/tutorial/configurar-pago-con-easypay-marketplace--3YllWiITcPEOpteuToEdO7) o [Configurar pago con easypay seller account](https://help.vtex.com/es/tutorial/configurar-pago-con-easypay-seller--5mYMCM1tiRiZO6PozuUncE). ## Instalar la aplicación easypay @@ -48,9 +48,9 @@ La información de configuración se divide en cuatro secciones: - [Personalización del checkout de easypay (opcional)](#personalizacion-del-checkout-de-easypay) - [Modo sandbox](#modo-sandbox) -![easypay_pt_1](https://images.ctfassets.net/alneenqid6w5/5SQRO4e7bYL1o8CG383UBE/03f939e9444e2655b4b9b540a4e521cc/easypay_pt_1.png) +![easypay_pt_1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-0.png) - +>⚠️ Debes realizar la configuración en [el entorno easypay](https://backoffice.easypay.pt/). El control de estas configuraciones es responsabilidad de easypay, por lo tanto, VTEX no garantiza que los pasos a continuación estén siempre actualizados. Utiliza este documento como referencia y consulta tu cuenta en el [entorno de easypay](https://backoffice.easypay.pt/) para obtener información actualizada. ### Credenciales de easypay @@ -60,29 +60,29 @@ __Key ID y Key Value__: valor e ID de la clave easypay.
      1. En el entorno easypay, haz clic en el logotipo de easypay situado en la parte superior izquierda de la pantalla, y en el ícono de la flecha que señala la cuenta deseada. -![easypay_pt_2](https://images.ctfassets.net/alneenqid6w5/53o4nqsgB92I5zBOt2gpwv/0f8e3401fc6b08160fede1cc08cc49ec/easypay_pt_2.PNG) +![easypay_pt_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-1.PNG)
      2. Accede a Web Services > Configuración API 2.0 > Keys. -![easypay_es_3](https://images.ctfassets.net/alneenqid6w5/3Qrv6zVnD0aUq4bqHXgrlk/b52af6fe6df6694a8ee073bd0561167f/easypay_en_3.png) +![easypay_es_3](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-2.png)
      3. Copia y guarda la información ID y Key. -![easypay_es_4](https://images.ctfassets.net/alneenqid6w5/32OyO0qBLXPTJ0aZpXsQIv/57f61df73ca3ea38e4cb3d9234e5e3c6/easypay_en_4.png) +![easypay_es_4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-3.png) __Merchant account UID__: identificación de la cuenta del comerciante en la que se abonarán los valores de la compra de productos adquiridos en la tienda. Si no dispones de una cuenta comerciante independiente, puedes utilizar el "Account UID" de la cuenta donde recibirás los pagos.
      1. En el entorno easypay, haz clic en el logotipo de easypay situado en la esquina superior izquierda de la pantalla y, a continuación, en la cuenta "COMERCIANTE 1", haz clic en la flecha. -![easypay_pt_5](https://images.ctfassets.net/alneenqid6w5/gQE8fL64YRCCggxVZB7qX/8e130d01b3cc65871f540233b1693df5/easypay_pt_5.PNG) +![easypay_pt_5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-4.PNG)
      2. Copia y guarda la información del Account UID. -![easypay_es_6](https://images.ctfassets.net/alneenqid6w5/3S2dkHv1WmJSyAVVn3salh/ca21af021e53fe89b50f0f650ecb0db1/easypay_en_6.png) +![easypay_es_6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-5.png) __Margin account UID__: identificación de la cuenta de margen. - +>ℹ️ Este campo solo debe rellenarse cuando la tienda es un marketplace y realiza split de pagos. Para más información, consulta el artículo [Configurar pago con easypay en marketplaces](https://help.vtex.com/es/tutorial/configurar-pago-con-easypay-marketplace--3YllWiITcPEOpteuToEdO7). __Refund account ID e Refund account key__: si no existe una cuenta específica para reembolso, el valor de __Key ID__ deberá rellenarse en el campo __Refund account ID__, y el valor de __Key value__ en __Refund account key__. @@ -90,7 +90,7 @@ __Refund account ID e Refund account key__: si no existe una cuenta específica En esta sección, debes indicar si tu tienda utilizará pagos asíncronos, síncronos o ambos. Accede a la documentación de easypay para consultar los [medios de pagos](https://docs.quality-utility.aws.easypay.pt/concepts/payment-methods) disponibles y sus respectivas [siglas](https://docs.quality-utility.aws.easypay.pt/checkout/reference) de identificación. -![easypay_pt_7](https://images.ctfassets.net/alneenqid6w5/2Im2zLusDEAguft1GN8uf3/216d2af1607b93c016263a0e59110736/easypay_pt_7.PNG) +![easypay_pt_7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-6.PNG) __Tipos de pago asíncronos aceptados__: medios de pago asíncronos disponibles para el cliente. Ingresa solamente las siglas de los tipos de asíncronos, separadas por comas, sin puntos ni espacios. @@ -100,7 +100,7 @@ Ejemplo: | ---------------- | ---------------- | | mb,dd,vi,sc | mb, dd, vi, sc | - +>⚠️ Si se rellena este campo, también será obligatorio rellenar el campo **Días para que expiren los pagos asíncronos**. __Tipos de pago síncronos aceptados__: medios de pago síncronos disponibles para el cliente. Ingresa solamente las siglas de los tipos de pago síncronos, separados por comas, sin puntos ni espacios. @@ -122,7 +122,7 @@ Ejemplo: easypay tiene un diseño de checkout nativo configurado en la aplicación, como se muestra a continuación: -![easypay_pt_8](https://images.ctfassets.net/alneenqid6w5/1xcsW6xpPx79OOnA2dB1zw/cfa4f96a4bfb561424245c9a119f4ed2/easypay_pt_8.PNG) +![easypay_pt_8](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-7.PNG) Si deseas realizar algún tipo de personalización en el checkout nativo de easypay, rellena uno o más campos de esta sección: @@ -160,7 +160,7 @@ Ejemplo: | ---------------- | ---------------- | | 11 | 11px | - +>⚠️ No utilices fuentes de más de 12 píxeles, ya que pueden distorsionar la visualización del layout. ### Modo Sandbox @@ -174,7 +174,7 @@ Para configurar el webhook de easypay, sigue los pasos que se indican a continua
      1. En el entorno easypay, haz clic en el logotipo de easypay situado en la parte superior izquierda de la pantalla, y en el ícono de la flecha que señala la cuenta deseada. -![easypay_pt_2](https://images.ctfassets.net/alneenqid6w5/53o4nqsgB92I5zBOt2gpwv/0f8e3401fc6b08160fede1cc08cc49ec/easypay_pt_2.PNG) +![easypay_pt_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-8.PNG)
      2. Accede a Web Services > URL Configuration. @@ -182,7 +182,7 @@ Para configurar el webhook de easypay, sigue los pasos que se indican a continua `https://{nombre-de-tu-cuenta}.myvtex.com/_v/easypaypartnerpt.payment-provider-easypay/webhook` -![easypay_es_9](https://images.ctfassets.net/alneenqid6w5/2f7UMqQzrIqNbtslGCFxyC/82c01b7233e55da18bd664f274dba813/easypay_en_9.png) +![easypay_es_9](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/configurar-pago-con-easypay-9.png)
      4. Haz clic en Submit. diff --git a/docs/tutorials/es/setting-up-payments-with-meliuz.md b/docs/tutorials/es/setting-up-payments-with-meliuz.md index bd0773027..ed34666f2 100644 --- a/docs/tutorials/es/setting-up-payments-with-meliuz.md +++ b/docs/tutorials/es/setting-up-payments-with-meliuz.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-meliuz subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-nupay.md b/docs/tutorials/es/setting-up-payments-with-nupay.md index f7b01ba78..4b8060d28 100644 --- a/docs/tutorials/es/setting-up-payments-with-nupay.md +++ b/docs/tutorials/es/setting-up-payments-with-nupay.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-nupay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-pagaleve.md b/docs/tutorials/es/setting-up-payments-with-pagaleve.md index 04b2bb087..1e27377f4 100644 --- a/docs/tutorials/es/setting-up-payments-with-pagaleve.md +++ b/docs/tutorials/es/setting-up-payments-with-pagaleve.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-pagaleve subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-parcelex.md b/docs/tutorials/es/setting-up-payments-with-parcelex.md index a495645c2..a37db3675 100644 --- a/docs/tutorials/es/setting-up-payments-with-parcelex.md +++ b/docs/tutorials/es/setting-up-payments-with-parcelex.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-parcelex subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-payments-with-virtuspay.md b/docs/tutorials/es/setting-up-payments-with-virtuspay.md index 53859b598..540d54a2c 100644 --- a/docs/tutorials/es/setting-up-payments-with-virtuspay.md +++ b/docs/tutorials/es/setting-up-payments-with-virtuspay.md @@ -15,4 +15,4 @@ legacySlug: configurar-pago-con-virtuspay subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Este es un contenido exclusivo regional no aplicable a los países de habla hispana. diff --git a/docs/tutorials/es/setting-up-pix-as-a-payment-method.md b/docs/tutorials/es/setting-up-pix-as-a-payment-method.md index 8b5ca7d66..b290a6b9d 100644 --- a/docs/tutorials/es/setting-up-pix-as-a-payment-method.md +++ b/docs/tutorials/es/setting-up-pix-as-a-payment-method.md @@ -15,4 +15,4 @@ legacySlug: configurar-pix-como-medio-de-pago subcategory: 3tDGibM2tqMyqIyukqmmMw --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/shopee-integration.md b/docs/tutorials/es/shopee-integration.md index 61ad4f163..c018356ad 100644 --- a/docs/tutorials/es/shopee-integration.md +++ b/docs/tutorials/es/shopee-integration.md @@ -3,16 +3,16 @@ title: 'Integración con Shopee' id: 5OV9idUY6fHu3P8grnCnqj status: PUBLISHED createdAt: 2022-09-05T19:33:02.717Z -updatedAt: 2024-04-17T16:10:43.661Z -publishedAt: 2024-04-17T16:10:43.661Z +updatedAt: 2024-09-04T13:20:57.644Z +publishedAt: 2024-09-04T13:20:57.644Z firstPublishedAt: 2022-09-06T01:42:40.106Z contentType: tutorial productTeam: Channels -author: 46G4yHIZerH7B9Jo0Iw5KI +author: 2p7evLfTcDrhc5qtrzbLWD slug: integracion-con-shopee locale: es legacySlug: integracion-con-shopee-beta subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/sms-and-email-report.md b/docs/tutorials/es/sms-and-email-report.md index ee347ca33..4cbe2a2d8 100644 --- a/docs/tutorials/es/sms-and-email-report.md +++ b/docs/tutorials/es/sms-and-email-report.md @@ -15,4 +15,4 @@ legacySlug: informe-de-emails-y-sms subcategory: 37YF86noTwhDdEuhUyW3LH --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/stock-and-carriers.md b/docs/tutorials/es/stock-and-carriers.md index 68bb2bbc9..dd225ed51 100644 --- a/docs/tutorials/es/stock-and-carriers.md +++ b/docs/tutorials/es/stock-and-carriers.md @@ -17,6 +17,6 @@ subcategory: Después de registrar su catálogo de productos, es el momento de registrar sus empresas de transporte, la cantidad de artículos en su stock y los valores de carga - + diff --git a/docs/tutorials/es/store-settings-overview.md b/docs/tutorials/es/store-settings-overview.md index 6522eee11..84312ebb4 100644 --- a/docs/tutorials/es/store-settings-overview.md +++ b/docs/tutorials/es/store-settings-overview.md @@ -19,9 +19,7 @@ La configuración de la tienda se aplica a tu tienda y a tu *storefront*, y est Para acceder a esta funcionalidad, haz clic en **Configuración de la tienda** en el menú de navegación a la izquierda y luego en la sección deseada. - +>⚠️ Ten en cuenta que las páginas y los ajustes configurados en el ambiente anterior no han cambiado, sino que se han reorganizado en la barra lateral del Admin, con lo que se ha cambiado la forma de acceder a ellos. A continuación encontrarás más detalles sobre las diferentes secciones y páginas de este menú. diff --git a/docs/tutorials/es/support-indicators.md b/docs/tutorials/es/support-indicators.md index b50da40e0..0cdc82056 100644 --- a/docs/tutorials/es/support-indicators.md +++ b/docs/tutorials/es/support-indicators.md @@ -15,4 +15,4 @@ legacySlug: indicadores-de-apoyo subcategory: 2A1RNDhwU4kqCN3XimtaD2 --- - +>⚠️ Actualmente, la solución VTEX Tracking se encuentra disponible exclusivamente en Brasil. Por lo tanto, este contenido solo se encuentra a disposición en portugués. diff --git a/docs/tutorials/es/tutorial-vtex-tracking-mobile-app.md b/docs/tutorials/es/tutorial-vtex-tracking-mobile-app.md index 2f3d6c2c1..f68e0e5c2 100644 --- a/docs/tutorials/es/tutorial-vtex-tracking-mobile-app.md +++ b/docs/tutorials/es/tutorial-vtex-tracking-mobile-app.md @@ -15,4 +15,4 @@ legacySlug: tutorial-aplicacion-movil-de-tracking-vtex subcategory: 6pbaGm24tlXta7TKTtMc5l --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/understand-vtex-payment-fees.md b/docs/tutorials/es/understand-vtex-payment-fees.md index 3a72c7c18..6130de5ba 100644 --- a/docs/tutorials/es/understand-vtex-payment-fees.md +++ b/docs/tutorials/es/understand-vtex-payment-fees.md @@ -15,4 +15,4 @@ legacySlug: entienda-las-tasas-de-vtex-payment subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/understand-your-balance.md b/docs/tutorials/es/understand-your-balance.md index e71e4ba91..4eb643b74 100644 --- a/docs/tutorials/es/understand-your-balance.md +++ b/docs/tutorials/es/understand-your-balance.md @@ -15,4 +15,4 @@ legacySlug: entienda-su-saldo subcategory: 29ZPBdZOTSg6NdzprcqBfb --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/uploading-a-product-xml.md b/docs/tutorials/es/uploading-a-product-xml.md index 0ec70af29..17b7e9301 100644 --- a/docs/tutorials/es/uploading-a-product-xml.md +++ b/docs/tutorials/es/uploading-a-product-xml.md @@ -19,4 +19,4 @@ subcategory: pwxWmUu7T222QyuGogs68 _El video presentado en este tutorial aún no se ha traducido al español. Estamos trabajando para ofrecer más contenido en español. Gracias por la comprensión._ - + diff --git a/docs/tutorials/es/url-de-callback-de-pedidos-da-via.md b/docs/tutorials/es/url-de-callback-de-pedidos-da-via.md index 97e7bdf82..4e2e0998f 100644 --- a/docs/tutorials/es/url-de-callback-de-pedidos-da-via.md +++ b/docs/tutorials/es/url-de-callback-de-pedidos-da-via.md @@ -15,4 +15,4 @@ legacySlug: url-de-callback-de-pedidos-da-via subcategory: 4uqMnZjwBO04uWgCom8QiA --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/usuarios-vtex-tracking.md b/docs/tutorials/es/usuarios-vtex-tracking.md index d4c8f9eb9..37687afa4 100644 --- a/docs/tutorials/es/usuarios-vtex-tracking.md +++ b/docs/tutorials/es/usuarios-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: usuarios-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/veiculos-vtex-tracking.md b/docs/tutorials/es/veiculos-vtex-tracking.md index e82effd51..38420c207 100644 --- a/docs/tutorials/es/veiculos-vtex-tracking.md +++ b/docs/tutorials/es/veiculos-vtex-tracking.md @@ -15,4 +15,4 @@ legacySlug: veiculos-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/via-inventory-integration-errors.md b/docs/tutorials/es/via-inventory-integration-errors.md index 06d11bdb3..63912e24c 100644 --- a/docs/tutorials/es/via-inventory-integration-errors.md +++ b/docs/tutorials/es/via-inventory-integration-errors.md @@ -15,5 +15,5 @@ legacySlug: errores-de-integracion-de-stock-con-via subcategory: 7lxg0kyL3TYIsrlSQlf1zP --- - +>⚠️ Este contenido es exclusivamente regional; +> por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/vtex-global-category-submission-errors.md b/docs/tutorials/es/vtex-global-category-submission-errors.md index cabbd65cd..ea82917b6 100644 --- a/docs/tutorials/es/vtex-global-category-submission-errors.md +++ b/docs/tutorials/es/vtex-global-category-submission-errors.md @@ -15,4 +15,4 @@ legacySlug: errores-en-el-envio-de-la-categoria-global-vtex subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-insurance.md b/docs/tutorials/es/vtex-insurance.md index 8cd7116d9..8b79ad27f 100644 --- a/docs/tutorials/es/vtex-insurance.md +++ b/docs/tutorials/es/vtex-insurance.md @@ -55,13 +55,11 @@ Después de instalar VTEX Insurance, necesitas preparar el catálogo para inclui 5. Después de crear el campo **Garantía del fabricante**, establece el período de garantía deseado. En el campo **Valor predeterminado**, se recomienda el valor 12, que representa un rango de 12 meses. 6. [Crea una categoría]https://help.vtex.com/es/tracks/catalogo-101--5AF0XfnjfWeopIFBgs3LIQ/3UYjVS03JbleGPh0Ckpic1) específica para el producto del seguro. 7. [Crea el producto](https://help.vtex.com/es/tutorial/productos-y-skus-beta--2ig7TmROlirWirZjFWZ3B) del seguro. -8. [Crea los SKU](https://help.vtex.com/es/tutorial/campos-de-registro-de-sku--21DDItuEQc6mseiW8EakcY) del seguro. Se recomienda crear más de tres SKU para cada seguro.![Valores Permitidos](https://images.ctfassets.net/alneenqid6w5/7DTx1xSHfrWWPCCvVHjJ8z/db89bae8fd2b247707a557c9aa253285/image1.png) +8. [Crea los SKU](https://help.vtex.com/es/tutorial/campos-de-registro-de-sku--21DDItuEQc6mseiW8EakcY) del seguro. Se recomienda crear más de tres SKU para cada seguro.![Valores Permitidos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-0.png) 9. [Vincula los SKU](https://help.vtex.com/es/tutorial/vinculos-de-sku--1SmrVgNwjJX17hdqwLa0TX) creados con el seller de Assurant. 10. [Vincula el seguro con el producto](https://help.vtex.com/es/tutorial/registrar-especificaciones-o-campos-de-producto--tutorials_106) deseado. - +>ℹ️ Este proceso debe repetirse en todas las categorías y productos en los que se ofrezca algún tipo de seguro. ## Configurar Insurance @@ -70,7 +68,7 @@ Una vez preparado el catálogo, los productos de tu tienda ya estarán vinculado Sigue los pasos a continuación para configurar la aplicación VTEX Insurance. ### Información de la empresa -![Insurance Configuration](https://images.ctfassets.net/alneenqid6w5/27tKnogbpFLSaeGPW4OnkZ/1158b7f84241410fbd3edc81400ff5a5/image5.png) +![Insurance Configuration](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-1.png) 1. Rellena los siguientes campos: - **Email**: email de la tienda - **Nombre**: nombre de la tienda @@ -84,7 +82,7 @@ Sigue los pasos a continuación para configurar la aplicación VTEX Insurance. 2. Haz clic en `Enviar`. ### Ítems vinculados a seguros -![Items Bound to Source Items](https://images.ctfassets.net/alneenqid6w5/6E68A1BaKeUzAgZuzD7KIY/7fd57ef26b0320e745bb81736d76707e/image2.png) +![Items Bound to Source Items](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-2.png) 1. Selecciona los códigos que representan los tipos de seguro deseados para la colección creada. @@ -93,13 +91,13 @@ Si deseas vincular más de un tipo de seguro, como el de **Robo y hurto agravado 3. Haz clic en `Enviar`. ### Nombre del campo de la garantía -![Warranty Field Name](https://images.ctfassets.net/alneenqid6w5/215SqlxeJ3yFSZjfGnuJRl/90a5985112d73bbd552e553353790899/image8.png) +![Warranty Field Name](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-3.png) 1. En el campo de garantía del fabricante ingresa el nombre de la garantía utilizado en el catálogo. 2. Haz clic en `Enviar`. ### Configuración de anexos VTEX Insurance -![Attachement Setup](https://images.ctfassets.net/alneenqid6w5/7wpyDOdmdsK2VqOOUbqrfr/853b158cfce470f32cceb2489564ac54/insurance_attachement_setup.png) +![Attachement Setup](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-4.png) 1. [Crea un anexo](https://help.vtex.com/es/tutorial/registrar-un-anexo--7zHMUpuoQE4cAskqEUWScU) para Assurant con la información enviada por el equipo de soporte al contratar el servicio. @@ -113,7 +111,7 @@ Si deseas vincular más de un tipo de seguro, como el de **Robo y hurto agravado ### Configuración de precios manual -![Manual Pricing](https://images.ctfassets.net/alneenqid6w5/a1wDUYo5UhkR09keQU6WG/fa85e9cdf6064218cf182242475056c8/image11.png) +![Manual Pricing](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/es/vtex-insurance-5.png) 1. [Activa la configuración de precios manual](https://help.vtex.com/es/tutorial/cambiar-el-precio-de-un-item-en-el-carrito-de-compras--7Cd37aCAmtL1qmoZJJvjNf) en tu tienda. 2. Haz clic en `Continuar`. diff --git a/docs/tutorials/es/vtex-payment-customer-service.md b/docs/tutorials/es/vtex-payment-customer-service.md index 026ca6b41..d301dfde0 100644 --- a/docs/tutorials/es/vtex-payment-customer-service.md +++ b/docs/tutorials/es/vtex-payment-customer-service.md @@ -15,4 +15,4 @@ legacySlug: atención-al-cliente-de-vtex-payment subcategory: 6uIlQ5imochc5LFi3dzCSv --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-pick-and-pack-last-mile.md b/docs/tutorials/es/vtex-pick-and-pack-last-mile.md index f9224e958..d7977b110 100644 --- a/docs/tutorials/es/vtex-pick-and-pack-last-mile.md +++ b/docs/tutorials/es/vtex-pick-and-pack-last-mile.md @@ -15,7 +15,7 @@ legacySlug: vtex-pick-and-pack-last-mile subcategory: 7Kllu6CmeLNV3tYXlCFvOt --- - +>⚠️ Contenido bajo traducción. >ℹ️ Si tienes interés en implementarla en tu negocio, rellena nuestro [formulario](https://vtex.com/co-es/contacto/) indicando en el campo `Comentarios` el nombre del producto deseado. diff --git a/docs/tutorials/es/vtex-shipping-network-correios-activation.md b/docs/tutorials/es/vtex-shipping-network-correios-activation.md index 1e9d0ca4d..b33dc203b 100644 --- a/docs/tutorials/es/vtex-shipping-network-correios-activation.md +++ b/docs/tutorials/es/vtex-shipping-network-correios-activation.md @@ -15,6 +15,4 @@ legacySlug: vtex-shipping-network-correios-activacion subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/vtex-shipping-network-correios-faq.md b/docs/tutorials/es/vtex-shipping-network-correios-faq.md index dbc8fdec7..4bbbb2318 100644 --- a/docs/tutorials/es/vtex-shipping-network-correios-faq.md +++ b/docs/tutorials/es/vtex-shipping-network-correios-faq.md @@ -15,6 +15,4 @@ legacySlug: vtex-shipping-network-correios-faq subcategory: 5n5MnINzWTQUX1I2EZl4Ib --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/vtex-tracking-agencies.md b/docs/tutorials/es/vtex-tracking-agencies.md index 64d6dd53f..dd7a6e1d6 100644 --- a/docs/tutorials/es/vtex-tracking-agencies.md +++ b/docs/tutorials/es/vtex-tracking-agencies.md @@ -15,4 +15,4 @@ legacySlug: agencias-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-tracking-branch.md b/docs/tutorials/es/vtex-tracking-branch.md index 7058f1c27..d3c00e17f 100644 --- a/docs/tutorials/es/vtex-tracking-branch.md +++ b/docs/tutorials/es/vtex-tracking-branch.md @@ -15,4 +15,4 @@ legacySlug: filial-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-tracking-carriers.md b/docs/tutorials/es/vtex-tracking-carriers.md index c67572e75..e73b70ccb 100644 --- a/docs/tutorials/es/vtex-tracking-carriers.md +++ b/docs/tutorials/es/vtex-tracking-carriers.md @@ -15,4 +15,4 @@ legacySlug: transportadoras-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-tracking-chat-incidences.md b/docs/tutorials/es/vtex-tracking-chat-incidences.md index 2623032f2..21c1519bd 100644 --- a/docs/tutorials/es/vtex-tracking-chat-incidences.md +++ b/docs/tutorials/es/vtex-tracking-chat-incidences.md @@ -15,4 +15,4 @@ legacySlug: reclamaciones-de-chat-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-tracking-partners.md b/docs/tutorials/es/vtex-tracking-partners.md index 7416ebefa..75ef8d245 100644 --- a/docs/tutorials/es/vtex-tracking-partners.md +++ b/docs/tutorials/es/vtex-tracking-partners.md @@ -15,4 +15,4 @@ legacySlug: partners-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/vtex-tracking-status-change.md b/docs/tutorials/es/vtex-tracking-status-change.md index ccba9fa3c..70801ce2c 100644 --- a/docs/tutorials/es/vtex-tracking-status-change.md +++ b/docs/tutorials/es/vtex-tracking-status-change.md @@ -15,4 +15,4 @@ legacySlug: motivo-de-alteracion-de-status-vtex-tracking subcategory: 7yiFRk9TGfMNeyhT83UljP --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/es/what-is-a-dispute.md b/docs/tutorials/es/what-is-a-dispute.md index 04e97387a..0328f1b34 100644 --- a/docs/tutorials/es/what-is-a-dispute.md +++ b/docs/tutorials/es/what-is-a-dispute.md @@ -15,4 +15,4 @@ legacySlug: que-es-una-disputa subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/what-to-do-when-a-customer-opens-dispute.md b/docs/tutorials/es/what-to-do-when-a-customer-opens-dispute.md index ffe0eb930..632b765a3 100644 --- a/docs/tutorials/es/what-to-do-when-a-customer-opens-dispute.md +++ b/docs/tutorials/es/what-to-do-when-a-customer-opens-dispute.md @@ -15,4 +15,4 @@ legacySlug: que-hacer-cuando-un-cliente-abre-una-disputa-en-vtex-payment subcategory: 204Hz794zvcUIJXLcShY43 --- - +>⚠️ Este contenido es exclusivamente regional; por lo tanto, no se aplica a los países de habla española. diff --git a/docs/tutorials/es/when-will-money-from-sale-be-credited-to-my-account.md b/docs/tutorials/es/when-will-money-from-sale-be-credited-to-my-account.md index 8cc78e56b..13bf6d9ad 100644 --- a/docs/tutorials/es/when-will-money-from-sale-be-credited-to-my-account.md +++ b/docs/tutorials/es/when-will-money-from-sale-be-credited-to-my-account.md @@ -15,4 +15,4 @@ legacySlug: cuando-entra-el-dinero-de-una-venta-en-mi-cuenta subcategory: 23PYStKNPteW4CqklwXXQN --- - +>⚠️ Contenido bajo traducción. diff --git a/docs/tutorials/pt/accounts-payable-international.md b/docs/tutorials/pt/accounts-payable-international.md index 901f48ae8..2878d278d 100644 --- a/docs/tutorials/pt/accounts-payable-international.md +++ b/docs/tutorials/pt/accounts-payable-international.md @@ -15,7 +15,7 @@ legacySlug: procedimento-de-contas-a-pagar-internacional subcategory: 22TaEgFhwE6a6CG2KASYkC --- - +>ℹ️ **Procedimento destinado a todas filiais VTEX, exceto Brasil.** Para garantir a conformidade em todos os pagamentos realizados fora do Brasil, é preciso seguir os seguintes procedimentos: diff --git a/docs/tutorials/pt/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md b/docs/tutorials/pt/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md index 5fab72078..3300b7182 100644 --- a/docs/tutorials/pt/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md +++ b/docs/tutorials/pt/adding-a-client-id-and-a-client-secret-to-log-in-with-google.md @@ -17,31 +17,29 @@ subcategory: 14V5ezEX0cewOMg0o0cYM6 Para ativar o funcionamento de login por OAuth2 via Google, é necessário acessar o VTEX ID pelo seu admin e preencher os campos `Client ID` e `Client Secret`, conforme detalhado [neste artigo](/pt/tutorial/integracao-google-e-facebook-para-login). -![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/a508065cf5028f3a806edad050a0f6e6/google_PT.png) +![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-0.png) Esses valores são obtidos a partir de um projeto que precisa ser criado no serviço de APIs do Google Cloud Platform. De forma simplificada, basta seguir os passos a seguir: - +>⚠️ Os passos abaixo descrevem procedimentos em uma plataforma externa e podem estar desatualizados. Mais informações sobre esses procedimentos podem ser encontradas nos artigos [Setting up OAuth 2.0](https://support.google.com/cloud/answer/6158849) e [OpenID Connect](https://developers.google.com/identity/protocols/oauth2/openid-connect) da documentação do Google. 1. Entrar no link [`https://console.developers.google.com/`](https://console.developers.google.com/); 2. Clicar em __Credenciais__, na aba lateral; 3. Clique em __Criar Projeto__; - ![Criar Projeto Google PT](https://images.ctfassets.net/alneenqid6w5/7d7axXgcKs8SKcG0YekU8m/15e9e1be0ef0b9bfd4f6cd23833f52a6/Criar_Projeto_Google_PT.png) + ![Criar Projeto Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-1.png) 4. Dê um nome ao projeto e clique em __Criar__; - ![Novo Projeto Google PT](https://images.ctfassets.net/alneenqid6w5/1PB6BTeU4I6YOqySuwcS4W/dcb58074e3fb0668c4ea336bee08870a/Novo_Projeto_Google_PT.png) + ![Novo Projeto Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-2.png) 5. No topo da página, clicar no botão __Criar credenciais__; - ![Criar Credenciais Google PT](https://images.ctfassets.net/alneenqid6w5/5bGcIsahuvFskIQBn8X8bl/e5cbd9523888845caa07211cdec356cf/Criar_Credenciais_Google_PT.png) + ![Criar Credenciais Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-3.png) 6. Clicar na opção __ID do cliente OAuth__; - ![ID cliente OAuth Google PT](https://images.ctfassets.net/alneenqid6w5/5CBmKjKYTYOMkkQImIMcI4/68b13531dab5020ea4e40f69f34a58e2/ID_cliente_OAuth_Google_PT.png) + ![ID cliente OAuth Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-4.png) 7. Clicar no botão __Configurar tela de consentimento__; - ![Configurar Tela Consentimento Google PT](https://images.ctfassets.net/alneenqid6w5/3mprVJpYy6wdtJJEhhbi1s/2c7660f7dea9b320ca24df57e89910a2/Configurar_Tela_Consentimento_Google_PT.png) + ![Configurar Tela Consentimento Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-5.png) 8. Escolha o tipo de usuário desejado para a sua loja (__Interno__ ou __Externo__) e clique no botão __Criar__; - ![Tipo usuário Google PT](https://images.ctfassets.net/alneenqid6w5/yxxE4AdTY0yuNClfZwXHL/7579b27f325d7e2c31444ba21a29a017/Tipo_usu__rio_PT.png) + ![Tipo usuário Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-6.png) 9. __Nome do app__: será exibido aos seus clientes no momento do login; 10. __E-mail para suporte do usuário__: para que os usuários contatem você com perguntas sobre o consentimento; 11. __Logotipo do app__: corresponde ao logotipo da sua loja; @@ -50,21 +48,21 @@ Os passos abaixo descrevem procedimentos em uma plataforma externa e podem estar - `vtex.com.br`, relativo aos nossos servidores de backend 13. __Dados de contato do desenvolvedor__: o Google usa esses endereços de e-mail para notificar você sore todas as alterações do projeto; 14. Clicar no botão __Salvar e continuar__; - ![Configurações Tela Consentimento PT](https://images.ctfassets.net/alneenqid6w5/2jKyTCl5FeeMsS2iAw0aKa/db5c3ff4f9ca43f8a50e51bfb49376ac/Configura____es_Tela_Consentimento_PT.png) + ![Configurações Tela Consentimento PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-7.png) 13. Clicar no item do menu lateral esquerdo __Credenciais__; 14. Escolher __Aplicativo da Web__, em Tipo de aplicativo; - ![Credenciais Aplicativo Web Google PT](https://images.ctfassets.net/alneenqid6w5/1sq6ByDBoYtGLeiU3Xsmgx/1b63eaf43364a7d6f1ebe2330b396a72/Credenciais_Aplicativo_Web_Google_PT.png) + ![Credenciais Aplicativo Web Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-8.png) 15. __Nome__: para identificação interna; 16. __Origens JavaScript autorizadas__: cadastrar os endereços exatos que poderão usar este método de autenticação, o que corresponde ao seu site; exemplo `https://www.loja.com`. Também é recomendado cadastrar o endereço `https://{{accountName}}.myvtex.com` de sua conta, onde `{{accountName}}` é o nome da sua conta como descrito no menu administrativo da loja; 17. __URIs de redirecionamento autorizados__: cadastrar a URL de serviço da VTEX: -`https://vtexid.vtex.com.br/VtexIdAuthSiteKnockout/ReceiveAuthorizationCode.ashx` - ![Configurações Aplicativo Web Google PT](https://images.ctfassets.net/alneenqid6w5/4HsRII0LeoGMYqWoioWi0o/91105aa43df17443cfecdcad79acc3a4/Configura____es_Aplicativo_Web_PT.png) + ![Configurações Aplicativo Web Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-9.png) 18. Após concluído, serão apresentadas suas credenciais: - ![Cliente OAuth criado Google PT](https://images.ctfassets.net/alneenqid6w5/58KAqlnXhKoAqgq6Gcc80K/2aea225da796a27ea6974766b984a493/Cliente_OAuth_criado_Google_PT.png) + ![Cliente OAuth criado Google PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-10.png) - Copie o __ID do cliente__ do Google e cole no campo `Client Id` no admin do VTEX ID. - Copie a __chave secreta do cliente__ do Google e cole no campo `Client Secret` no admin do VTEX ID. - ![Google OAuth](https://images.ctfassets.net/alneenqid6w5/67wXwVN1RaDZ5oOy6XrTSe/a508065cf5028f3a806edad050a0f6e6/google_PT.png) + ![Google OAuth](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-client-id-e-client-secret-para-login-com-google-11.png) Depois de cumprir esses passos, salve as alterações. diff --git a/docs/tutorials/pt/adding-your-brands.md b/docs/tutorials/pt/adding-your-brands.md index 025d65dcd..85253f69c 100644 --- a/docs/tutorials/pt/adding-your-brands.md +++ b/docs/tutorials/pt/adding-your-brands.md @@ -17,4 +17,4 @@ subcategory: O [cadastro de marca](/pt/tutorial/cadastrando-marcas/) é obrigatório para a ativação de seus produtos e SKUs. Caso sua loja não trabalhe com marcas, é possível cadastrar uma marca padrão e associar todos os produtos a esta marca. - + diff --git a/docs/tutorials/pt/amazon-integration-configuration-errors.md b/docs/tutorials/pt/amazon-integration-configuration-errors.md index ff8a08ec1..ff10eabe0 100644 --- a/docs/tutorials/pt/amazon-integration-configuration-errors.md +++ b/docs/tutorials/pt/amazon-integration-configuration-errors.md @@ -15,4 +15,4 @@ legacySlug: erros-de-configuracao-na-integracao-da-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tutorials/pt/amazon-missing-required-attributes-errors.md b/docs/tutorials/pt/amazon-missing-required-attributes-errors.md index 4ddc018cc..9facc7fbc 100644 --- a/docs/tutorials/pt/amazon-missing-required-attributes-errors.md +++ b/docs/tutorials/pt/amazon-missing-required-attributes-errors.md @@ -15,4 +15,4 @@ legacySlug: erros-de-ausencia-de-atributos-obrigatorios-na-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tutorials/pt/amazon-token-permission-errors.md b/docs/tutorials/pt/amazon-token-permission-errors.md index dd9634ece..ee9ba1912 100644 --- a/docs/tutorials/pt/amazon-token-permission-errors.md +++ b/docs/tutorials/pt/amazon-token-permission-errors.md @@ -15,4 +15,4 @@ legacySlug: erros-de-token-permissao-da-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tutorials/pt/application-keys.md b/docs/tutorials/pt/application-keys.md index 02decad7a..9c2b2b61d 100644 --- a/docs/tutorials/pt/application-keys.md +++ b/docs/tutorials/pt/application-keys.md @@ -156,4 +156,4 @@ Para reativar chaves de aplicação externas que tenham sido desativadas anterio Se necessário para uma auditoria de segurança, você pode exportar um arquivo CSV contendo os valores da **Chave** para todas as chaves de aplicação internas e externas que atualmente têm acesso à sua conta — ou seja, que têm perfis de acesso associadas a elas. -Para exportar as chaves, acesse _Configurações da conta > Gerenciamento da conta > Chaves de aplicação_ e clique no botão export-button Exportar. +Para exportar as chaves, acesse _Configurações da conta > Gerenciamento da conta > Chaves de aplicação_ e clique no botão export-button Exportar. diff --git a/docs/tutorials/pt/asin-ean-brand-errors-on-amazon.md b/docs/tutorials/pt/asin-ean-brand-errors-on-amazon.md index 981e6b8b6..d941d7399 100644 --- a/docs/tutorials/pt/asin-ean-brand-errors-on-amazon.md +++ b/docs/tutorials/pt/asin-ean-brand-errors-on-amazon.md @@ -15,4 +15,4 @@ legacySlug: erros-de-asin-ean-marca-na-amazon subcategory: 4HBbKdnwneGew2qGGykSM8 --- - +>⚠️ Conteúdo em tradução. diff --git a/docs/tutorials/pt/associate-a-sku-to-a-trade-policy.md b/docs/tutorials/pt/associate-a-sku-to-a-trade-policy.md index 8dbe582c6..0413f7aa1 100644 --- a/docs/tutorials/pt/associate-a-sku-to-a-trade-policy.md +++ b/docs/tutorials/pt/associate-a-sku-to-a-trade-policy.md @@ -15,9 +15,7 @@ legacySlug: associacao-de-sku-a-politica-comercial subcategory: pwxWmUu7T222QyuGogs68 --- - +>⚠️ O tutorial a seguir é válido para associar SKUs **já existentes** a uma determinada [Política Comercial](https://help.vtex.com/pt/tutorial/o-que-e-uma-politica-comercial--563tbcL0TYKEKeOY4IAgAE). Para cadastrar um novo SKU, leia o tutorial [Cadastrar SKU](https://help.vtex.com/pt/tracks/catalogo-101--5AF0XfnjfWeopIFBgs3LIQ/17PxekVPmVYI4c3OCQ0ddJ). Na página de configuração de cada SKU existe a opção de associar apenas aquele item a uma ou mais políticas comerciais. @@ -29,8 +27,6 @@ Na página de configuração de cada SKU existe a opção de associar apenas aqu 6. Marque a caixa de seleção correspondente à Política Comercial desejada. 7. No final da página, clique no botão `Salvar` para registrar as alterações. - +>⚠️ Se nenhuma política comercial específica for selecionada na configuração do SKU, todas as políticas comerciais terão acesso ao SKU. Toda alteração realizada em um SKU leva um tempo até ser totalmente processada, inclusive associações a Políticas Comerciais. Confira mais detalhes no artigo [Como funciona a indexação](https://help.vtex.com/pt/tutorial/entendendo-o-funcionamento-da-indexacao--tutorials_256). diff --git a/docs/tutorials/pt/audit.md b/docs/tutorials/pt/audit.md index 9370d3e43..d1bcec671 100644 --- a/docs/tutorials/pt/audit.md +++ b/docs/tutorials/pt/audit.md @@ -113,7 +113,7 @@ Para buscar se uma transportadora foi deletada em determinada data: ## Verificar últimas buscas realizadas no Audit -Toda busca realizada no Audit é salva na aba **Últimas buscas**. Para refazer uma busca nessa aba, clique no botão correspondente à busca que você deseja refazer. +Toda busca realizada no Audit é salva na aba **Últimas buscas**. Para refazer uma busca nessa aba, clique no botão correspondente à busca que você deseja refazer. Confira a seguir as informações disponíveis nesta aba: diff --git a/docs/tutorials/pt/autocomplete.md b/docs/tutorials/pt/autocomplete.md index 8b8042e46..918069254 100644 --- a/docs/tutorials/pt/autocomplete.md +++ b/docs/tutorials/pt/autocomplete.md @@ -24,10 +24,7 @@ O Autocomplete funciona com base nas informações obtidas por meio do históric - Sugestão de produtos. - Termos mais buscados. - +>⚠️ Ao pesquisar um termo não cadastrado, o Autocomplete não encontrará produtos com as especificações desejadas e não exibirá nenhuma sugestão. Durante a interação com a barra de busca, o VTEX Intelligent Search exibe imediatamente o conjunto de _Termos mais buscados_ e _Últimas pesquisas_, caso o cliente já tenha feito alguma. @@ -46,22 +43,22 @@ Outra vantagem para o gestor da loja é o aumento de conversão, resultado dessa Essa seção exibe os termos mais buscados por outros clientes dentro do site. -![PT - Autocomplete termos mais pesquisados](https://images.ctfassets.net/alneenqid6w5/6gBULnYzroBY96Ler918qJ/de1f57f6942d1c1ec554246917f524a0/PT_-_Autocomplete_termos_mais_pesquisados.png) +![PT - Autocomplete termos mais pesquisados](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-0.png) ## Últimas buscas efetuadas Essa seção exibe as últimas buscas efetuadas pelo cliente. Assim, é possível iniciar a interação com a busca instantaneamente. -![PT - Autocomplete historico](https://images.ctfassets.net/alneenqid6w5/1GXQ879Y9rEMXFKjVquys1/4f68e9d2277b02d56cb155ecf29fcfc6/PT_-_Autocomplete_historico.png) +![PT - Autocomplete historico](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-1.png) ## Sugestão de buscas Essa seção apresenta os termos pesquisados por outros usuários que se relacionam com a busca efetuada naquele momento. Além de termos, também são sugeridas categorias que estejam relacionadas com a busca. -![PT - Autocomplete sugestao termos](https://images.ctfassets.net/alneenqid6w5/2rOg8Q94A0F8VEbueLkXDS/34faeaa87bbf7989072e3dddec7f9b04/PT_-_Autocomplete_sugestao_termos.png) +![PT - Autocomplete sugestao termos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-2.png) ## Sugestão de produtos Essa seção apresenta os produtos que correspondem a busca efetuada naquele momento. Dessa forma, ao mostrar produtos relacionados a sua busca durante a sua digitação, diminui as desistências e dá a possibilidade do usuário efetuar uma compra mais dinâmica. -![PT - Autocomplete sugestao de produtos](https://images.ctfassets.net/alneenqid6w5/1wXXgJr59cCCjz00DHA3nU/49288947b9326f3309ed7bea482a2331/PT_-_Autocomplete_sugestao_de_produtos.png) +![PT - Autocomplete sugestao de produtos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/autocomplete-3.png) diff --git a/docs/tutorials/pt/black-week.md b/docs/tutorials/pt/black-week.md index b94d2da86..2a59d613c 100644 --- a/docs/tutorials/pt/black-week.md +++ b/docs/tutorials/pt/black-week.md @@ -27,7 +27,7 @@ Caso você utilize o novo Admin VTEX, para acessá-la, vá para **Dashboards > B Para ter acesso à pagina, é necessário conter o [recurso](https://help.vtex.com/pt/tutorial/license-manager-resources--3q6ztrC8YynQf6rdc6euk3) *Insights Metrics* com a chave `view_metrics` em seu [perfil de acesso](https://help.vtex.com/pt/tutorial/roles--7HKK5Uau2H6wxE1rH5oRbc). Sem esse recurso configurado em seu perfil de acesso, você receberá um erro *403 - Não autorizado* ao tentar visualizar a página. -![Black Week](https://images.ctfassets.net/alneenqid6w5/3IM9M6IwfycwTmUzJDEzem/2ce38a00422d16e12016eb0ba58edd9b/Screen_Shot_2022-11-18_at_16.11.09.png) +![Black Week](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/black-week-0.png) Este artigo inclui as seguintes seções: @@ -47,7 +47,7 @@ A página apoia operação do seu negócio para a black week ao permitir: Assista um vídeo para saber mais sobre a página: ## Dados @@ -89,7 +89,7 @@ A Black Week inclui os seguintes gráficos para a análise dos resultados do seu ### Total de pedidos -![Total de pedidos](https://images.ctfassets.net/alneenqid6w5/7mYLy1HXJVjiBm923PRQmm/d6eaef3b046627bca6fa55147221b1d2/Screen_Shot_2022-11-18_at_16.00.21.png) +![Total de pedidos](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/black-week-1.png) O gráfico _Total de Pedidos_ apresenta a quantidade de pedidos captados pela loja, agregado por dia e comparado com os anos anteriores selecionados. Saiba mais em [Dados](#dados). @@ -119,7 +119,7 @@ Para ler os gráficos, note que: #### Total do dia -![Total do dia](https://images.ctfassets.net/alneenqid6w5/3PMiZmAt84euZIrmu7gy35/77de595d36fab0672ba75d626acae658/Screen_Shot_2022-11-18_at_16.00.40.png) +![Total do dia](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/black-week-2.png) A visualização _Total do Dia_ indica na tela: @@ -130,7 +130,7 @@ Essa visualização é útil para acompanhar o somatório de vendas no dia, send #### Últimas 2 horas -![Últimas 2 horas](https://images.ctfassets.net/alneenqid6w5/7tBr0SR2wP9lD9SvJF6jpj/5be2166e0dd369b2a3b980ccfb90cf47/Screen_Shot_2022-11-18_at_16.00.54.png) +![Últimas 2 horas](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/black-week-3.png) A visualização _Últimas 2 horas_ indica na tela: diff --git a/docs/tutorials/pt/configure-cartman.md b/docs/tutorials/pt/configure-cartman.md index 8cc809842..842cad1dc 100644 --- a/docs/tutorials/pt/configure-cartman.md +++ b/docs/tutorials/pt/configure-cartman.md @@ -42,7 +42,7 @@ Para ativar o Cartman manualmente, siga os passos abaixo: 1. Acesse uma página de Checkout da sua loja (`https://{accountname}.myvtex.com/checkout/`). 2. Insira a query string `?cartman=on` no final da URL (`https://accountname.myvtex.com/checkout?cartman=on`). -3. No canto inferior direito da tela, clique no botão cartman-icon para acessar o Cartman. +3. No canto inferior direito da tela, clique no botão cartman-icon para acessar o Cartman. ## Funções do Cartman @@ -101,7 +101,7 @@ Para saber mais sobre UTMs e UTMIs , acesse [O que são utm_source, utm_campaign O Cartman pode ser desativado a qualquer momento, conforme a necessidade do lojista. Para desativá-lo, siga os passos abaixo: 1. Acesse uma página de Checkout da sua loja (`https://{accountname}.myvtex.com/checkout/`). -2. No canto inferior direito da tela, clique no botão cartman-icon. +2. No canto inferior direito da tela, clique no botão cartman-icon. 3. Na parte inferior do menu do Cartman, clique em `Desativar o Cartman`. >ℹ️ Caso deseje reativar o **Cartman**, adicione novamente a query string `?cartman=on` em uma das páginas do Checkout de sua loja. Desta forma, o ícone azul estará novamente disponível no canto inferior direito da página. diff --git a/docs/tutorials/pt/configure-direct-consumer-credit-cdc-by-losango.md b/docs/tutorials/pt/configure-direct-consumer-credit-cdc-by-losango.md index 263f1c955..429d1ca11 100644 --- a/docs/tutorials/pt/configure-direct-consumer-credit-cdc-by-losango.md +++ b/docs/tutorials/pt/configure-direct-consumer-credit-cdc-by-losango.md @@ -26,7 +26,7 @@ Geralmente, as lojas solicitam apenas documentações pessoais, como RG, CPF, co Para utilizar o __Crédito Direto ao Consumidor (CDC) da Losango__ na sua loja, siga as instruções abaixo. Se essa for a primeira vez que você configura um meio de pagamento na VTEX, recomendamos aprender os [fundamentos do módulo de Pagamentos](https://help.vtex.com/pt/tracks/pagamentos--6GAS7ZzGAm7AGoEAwDbwJG) antes de seguir em frente. - +>ℹ️ Caso deseje mais informações técnicas sobre a integração, consulte a [documentação técnica da Losango](https://assets.ctfassets.net/alneenqid6w5/5FVOQoVWOAgaZsKlNHoCCr/83db071b0a7c04c02736d0d4d9fcadc0/DOC_TECNICO_Overview_de_Integrac__a__o_-_CDC_Online_-_v20191111.pdf" target="_blank). ## Cadastro como parceiro Losango @@ -54,7 +54,7 @@ Com isso, a opção de pagamento __Losango em até 24x__ aparecerá corretamente ![CDC-Losango-4](https://images.ctfassets.net/alneenqid6w5/5dzHuCYPxHpy88Q2RjfZeJ/4ad6d24322184f7f756a9d994ed63e94/CDC-Losango-4.png) - +>⚠️ **Atenção:** Modificar de forma incorreta os scripts de customização do checkout podem quebrar sua loja ou parar as vendas. Em caso de erros, por favor, apague o conteúdo deste script. ### Configuração do conector de pagamentos diff --git a/docs/tutorials/pt/configuring-b2b-self-service-stores.md b/docs/tutorials/pt/configuring-b2b-self-service-stores.md index 4bda7e4bb..0ca5053c0 100644 --- a/docs/tutorials/pt/configuring-b2b-self-service-stores.md +++ b/docs/tutorials/pt/configuring-b2b-self-service-stores.md @@ -19,7 +19,7 @@ O cenário self-service é o mais flexível das possibilidades de B2B. Nele, o c Esse cenário apresenta vantagens para o usuário, já que ele pode explorar o catálogo, o inventário e os preços com liberdade, conforme seu perfil de acesso. Além disso, ele pode ver informações e fazer pedidos a qualquer momento, sem depender de nenhum intermediador. -
      Caso você já seja um cliente B2C e queira configurar um cenário B2B, entre em contato com nosso Suporte.
      +>ℹ️ Caso você já seja um cliente B2C e queira configurar um cenário B2B, entre em contato com [nosso Suporte](https://support.vtex.com/hc/pt-br/requests). Uma das primeiras decisões que devem ser tomadas ao estruturar uma loja B2B é decidir se ela será aberta ou fechada ao público. @@ -70,9 +70,7 @@ Esse documento é criado de acordo com suas necessidades, cujas informações b No cenário B2B, é comum o uso de informações básicas como nome, e-mail e telefone, rua, bairro e cidade. Você pode usar um formulário para captar essas informações. - +>❗ O campo utilizado como regra condicional na política comercial **nunca poderá fazer parte desse formulário**, uma vez que o próprio usuário não pode realizar sua própria aprovação, cabendo à loja essa responsabilidade. Na VTEX, formulários são criados através do [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data"), o banco de dados da loja, que guarda as informações da base de clientes da loja e organiza os dados recebidos através de formulários. @@ -84,7 +82,7 @@ Para criar um formulário: Assim, quando um cliente preencher o formulário, seus dados serão incluídos na tabela de clientes do Master Data. -
      Você pode optar por criar um formulário com mais recursos, tais como o preenchimento automático do CEP, múltiplas abas ou validação do CNAE (Classificação Nacional de Atividades Econômicas). Caso opte por esse tipo de formulário, confira a documentação técnica do VTEX IO.
      +>ℹ️ Você pode optar por criar um formulário com mais recursos, tais como o preenchimento automático do CEP, múltiplas abas ou validação do CNAE (Classificação Nacional de Atividades Econômicas). Caso opte por esse tipo de formulário, confira a documentação técnica do [VTEX IO](https://developers.vtex.com/vtex-developer-docs/docs/vtex-io-documentation-creating-a-new-custom-page). ### Aprovação de usuários A aprovação dos usuários, assim como o cadastro, é feita no [Master Data](https://help.vtex.com/pt/tutorial/o-que-e-o-master-data--4otjBnR27u4WUIciQsmkAw "Master Data"). Cabe aos responsáveis pela gestão do ecommerce aprovar o acesso dos clientes ao conteúdo da loja. @@ -97,7 +95,7 @@ A exibição dos produtos da loja para determinados grupos de usuários precisa Nesta configuração, você precisa selecionar os produtos que vão estar associados à política comercial destinada ao contexto B2B. Na VTEX, você pode associar SKUs individualmente através do Admin ou em massa através da [API do Catálogo](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview "API do Catálogo"). -
      Configurar SKUs através da API do Catálogo — associação ou criação em massa ou individualmente — é recomendável para empresas que já têm uma operação de ecommerce madura e contam com uma área de ecommerce própria que gerencia e mantém o catálogo de produtos existente. Essa infraestrutura permite a importação de todo o catálogo com todas as configurações atuais via integração com o ERP.
      +>ℹ️ Configurar SKUs através da [API do Catálogo](https://developers.vtex.com/vtex-developer-docs/reference/catalog-api-overview) — associação ou criação em massa ou individualmente — é recomendável para empresas que já têm uma operação de ecommerce madura e contam com uma área de ecommerce própria que gerencia e mantém o catálogo de produtos existente. Essa infraestrutura permite a importação de todo o catálogo com todas as configurações atuais via [integração com o ERP](https://developers.vtex.com/vtex-rest-api/docs/erp-integration-guide). ### Configuração da estratégia de logística @@ -137,7 +135,7 @@ A gestão de crédito é um recurso versátil e, por conta disso, é utilizada e Na VTEX, os lojistas podem utilizar o [Customer Credit](https://help.vtex.com/pt/tutorial/customer-credit-visao-geral--1uIqTjWxIIIEW0COMg4uE0 "Customer Credit"), aplicativo no qual o usuário pode oferecer e administrar os créditos cedidos aos seus clientes. Para instalar o aplicativo, confira o passo a passo completo no artigo [Instalar Customer Credit](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/36grlQ69NK6OCuioeekyCs "Instalar Customer Credit"). -
      Meios de pagamento convencionais, como cartão de crédito, cartão de débito e boleto bancário, também podem ser configurados para o contexto B2B. A gestão de crédito é apenas o método utilizado com mais frequência pelos clientes.
      +>ℹ️ Meios de pagamento convencionais, como cartão de crédito, cartão de débito e boleto bancário, também podem ser configurados para o contexto B2B. A gestão de crédito é apenas o método utilizado com mais frequência pelos clientes. Depois de instalar o aplicativo na sua loja, é preciso configurar o Customer Credit como um meio de pagamento disponível na sua loja. Assim, os clientes podem finalizar compras utilizando o crédito concedido. Para configurar, leia o tutorial de [como configurar o Customer Credit como condição de pagamento](https://help.vtex.com/pt/tracks/customer-credit-como-comecar--1hCRg21lXYy2seOKgqQ2CC/21ok0GBwmcIeaY2IukYMOg#condicoes-de-pagamento "como configurar o Customer Credit como condição de pagamento"). diff --git a/docs/tutorials/pt/configuring-email-senders.md b/docs/tutorials/pt/configuring-email-senders.md index e6e252005..4992bf64e 100644 --- a/docs/tutorials/pt/configuring-email-senders.md +++ b/docs/tutorials/pt/configuring-email-senders.md @@ -17,4 +17,4 @@ subcategory: Este passo garante que os e-mails enviados pela loja não cheguem ao cliente com um e-mail da VTEX, e sim, com um e-mail da loja. E isso pode ser feito mesmo sem a loja possuir um servidor de e-mails, pois fornecemos um que pode ser utilizado gratuitamente. - + diff --git a/docs/tutorials/pt/configuring-payment-gateways.md b/docs/tutorials/pt/configuring-payment-gateways.md index 5c337edf3..5e6a7d8bd 100644 --- a/docs/tutorials/pt/configuring-payment-gateways.md +++ b/docs/tutorials/pt/configuring-payment-gateways.md @@ -17,5 +17,5 @@ subcategory: 3tDGibM2tqMyqIyukqmmMw Os meios de pagamento são essenciais para a virada da loja em produção. Para isso, acesse o [PCI Gateway](/tutorial/afiliacoes-de-gateway/ "PCI Gateway"), que é o módulo certificado pelo PCI DSS, garantindo a segurança dos dados de pagamento dos seus clientes. - + diff --git a/docs/tutorials/pt/configuring-payment-with-adyenv3-in-vtex-sales-app.md b/docs/tutorials/pt/configuring-payment-with-adyenv3-in-vtex-sales-app.md index 8fa8259ba..2eb86d58e 100644 --- a/docs/tutorials/pt/configuring-payment-with-adyenv3-in-vtex-sales-app.md +++ b/docs/tutorials/pt/configuring-payment-with-adyenv3-in-vtex-sales-app.md @@ -3,8 +3,8 @@ title: 'Configurar pagamento com AdyenV3 no VTEX Sales App' id: 24yO6KloBn6DN6CbprHtgt status: PUBLISHED createdAt: 2023-05-09T14:12:03.567Z -updatedAt: 2024-07-26T16:55:23.474Z -publishedAt: 2024-07-26T16:55:23.474Z +updatedAt: 2024-09-03T13:37:54.592Z +publishedAt: 2024-09-03T13:37:54.592Z firstPublishedAt: 2023-05-11T20:30:50.460Z contentType: tutorial productTeam: Financial @@ -47,7 +47,7 @@ Para habilitar o acesso da VTEX no ambiente Adyen, siga as instruções abaixo: 2. Na barra lateral esquerda, copie e salve a informação descrita acima de **Company**. Esta é a sua Company Account. 3. Na lista abaixo, busque o nome da Merchant Account a ser utilizada (ressaltada em branco). Copie e salve esta informação. -![Adyenv3_1](https://images.ctfassets.net/alneenqid6w5/4BHwn5SIUl6AuiiEjreluk/a7404c85f6fda7f7ccbae66070d0db0d/Adyenv3_1.PNG) +![Adyenv3_1](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-0.PNG) ### Obtenha a POS Live URL @@ -66,7 +66,7 @@ As informações abaixo consideram que a API Key já foi previamente gerada no a 2. Selecione a sua credencial API. 3. Em **Server Settings > Authentication**, selecione **API key**. -![Adyenv3_2](https://images.ctfassets.net/alneenqid6w5/5y5TAeZmhsKrn2nZTJexIw/bfbe2587739f39fa70c4e1f08e86bd71/Adyenv3_2.PNG) +![Adyenv3_2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-1.PNG)
      4. Clique em Generate Key e anote a informação criada em um local seguro. @@ -82,7 +82,7 @@ Configure o webhook conforme os passos abaixo: 4. Em **General > Description**, adicione uma descrição para o novo webhook. Exemplo: "Webhook Adyen Connector Provider v3". 5. Em **General > Server configuration > URL**, preencha a URL da sua conta VTEX. Exemplo: https://{{account}}.myvtex.com/_v3/api/webhook/notification. -![Adyenv3_4](https://images.ctfassets.net/alneenqid6w5/1gAXlQfBoEUm5qnfSsHJkl/c18036816afbfe9ed8434d1211679879/Adyenv3_4.PNG) +![Adyenv3_4](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-2.PNG)
      6. Clique em Apply. @@ -90,11 +90,11 @@ Configure o webhook conforme os passos abaixo:
      8. Clique em Save changes. -![Adyenv3_5](https://images.ctfassets.net/alneenqid6w5/4dNUcUg9OKni8eT1wXcjO1/19eddc41d854adb8976e6e90ed54589c/Adyenv3_5.PNG) +![Adyenv3_5](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-3.PNG) -![Adyenv3_6](https://images.ctfassets.net/alneenqid6w5/2ocxDKULle6hnu2fFPnjfZ/7787ff93f023d3ec17c669758aefb82f/Adyenv3_6.PNG) +![Adyenv3_6](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-4.PNG) -![Adyenv3_7](https://images.ctfassets.net/alneenqid6w5/dEbiVnYj1Ic4eYgkSNolQ/79bba40bd6820d29de275e3cab19f22e/Adyenv3_7.PNG) +![Adyenv3_7](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurar-pagamento-com-adyenv3-no-vtex-sales-app-5.PNG) >ℹ️ Se você possui múltiplas lojas, é necessário realizar a configuração do webhook para cada uma delas. diff --git a/docs/tutorials/pt/configuring-payment-with-mercado-pago-in-vtex-sales-app.md b/docs/tutorials/pt/configuring-payment-with-mercado-pago-in-vtex-sales-app.md index fd09689b4..92dac56f3 100644 --- a/docs/tutorials/pt/configuring-payment-with-mercado-pago-in-vtex-sales-app.md +++ b/docs/tutorials/pt/configuring-payment-with-mercado-pago-in-vtex-sales-app.md @@ -1,10 +1,10 @@ --- title: 'Configurar pagamento com Mercado Pago no VTEX Sales App' id: 51fgSydGGOnlBdtwTfE8BE -status: CHANGED +status: PUBLISHED createdAt: 2024-08-26T12:36:03.781Z -updatedAt: 2024-09-02T21:20:22.288Z -publishedAt: 2024-08-28T21:17:53.696Z +updatedAt: 2024-09-03T13:41:09.309Z +publishedAt: 2024-09-03T13:41:09.309Z firstPublishedAt: 2024-08-26T18:37:41.187Z contentType: tutorial productTeam: Financial diff --git a/docs/tutorials/pt/configuring-promotions-with-a-highlightflag.md b/docs/tutorials/pt/configuring-promotions-with-a-highlightflag.md index a30cae885..0c0355e75 100644 --- a/docs/tutorials/pt/configuring-promotions-with-a-highlightflag.md +++ b/docs/tutorials/pt/configuring-promotions-with-a-highlightflag.md @@ -15,13 +15,11 @@ legacySlug: configurando-promocao-com-destaque-flag subcategory: 1yTYB5p4b6iwMsUg8uieyq --- - +>⚠️ Tutorial válido apenas para lojas CMS Portal Legado. O destaque na promoção é um aviso que pode ser inserido nas prateleiras e nas páginas de produto, informando que ele é elegível para uma promoção. Um exemplo bem comum é uma imagem abaixo da imagem do produto indicando frete grátis. -![ExemploPromocaoDestaque2](https://images.contentful.com/alneenqid6w5/jS31HBOW3YWsIYyUOE8o/3d0c108c84b2a7c5e6ae2d4254425e4b/ExemploPromocaoDestaque2.png) +![ExemploPromocaoDestaque2](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurando-promocao-com-destaque-flag-0.png) Nem todas as promoções são elegíveis para ter destaque. Esta possibilidade está liberada para os tipos abaixo: @@ -67,9 +65,9 @@ Essa configuração consiste da edição do template de página utilizado para o 9. Na janela, clique na opção **New Layout**. 10. No menu lateral, clique sobre o layout marcado em com um check vermelho e no campo __Template__, verifique qual o nome do template utilizado; -![Layout com check - PT](https://images.ctfassets.net/alneenqid6w5/4GmSglkpk78c4M5hDZEgZX/ab47d3105213471fe370be0b11afcfab/image.png) +![Layout com check - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurando-promocao-com-destaque-flag-1.png) -![Template](https://images.contentful.com/alneenqid6w5/2OzzBkU2YwsgCGeICsgIcg/61aaf502c787cb4f0468ab8cee821072/Template.png) +![Template](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/configurando-promocao-com-destaque-flag-2.png) 11. Volte ao menu lateral e clique na pasta **HTML Templates**; 12. Clique no template encontrado no @Produto@; diff --git a/docs/tutorials/pt/creating-a-subscription-promotion.md b/docs/tutorials/pt/creating-a-subscription-promotion.md index 8f3cc7a01..982dfadd3 100644 --- a/docs/tutorials/pt/creating-a-subscription-promotion.md +++ b/docs/tutorials/pt/creating-a-subscription-promotion.md @@ -22,7 +22,7 @@ Neste artigo, você encontrará o passo a passo para criar promoções de assina 3. Clique no botão `Nova Promoção`. 4. Selecione o botão `Promoção Regular`. 5. Selecione o campo **É um pedido de assinatura** na seção **Quais as condições para a promoção ser válida?**. Essa opção define que a promoção será aplicada em pedidos de assinatura. Apenas os produtos com assinatura no carrinho receberão o desconto. Para entender as possibilidades de configuração, veja as condições a seguir: - ![frequenciapt](https://images.ctfassets.net/alneenqid6w5/3H1wS4j8dpkRfI0Le2A2CO/f4eb96b416f69ce48d712463b1d7bd16/image1__2_.png) + ![frequenciapt](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/como-criar-uma-promocao-por-assinatura-0.png) - **Pedido original**: pedidos que geram as assinaturas, mas ainda não fazem parte dos ciclos de assinatura. - **Pedidos recorrentes**: pedidos que fazem parte dos ciclos de assinatura. - **Filtrar por**: seleção que filtra quais pedidos de assinatura que serão válidos para a promoção. @@ -40,9 +40,7 @@ Configure corretamente a frequência e o ciclo para garantir que a promoção se | 22/01/2022 | Terceiro ciclo | A promoção não será válida | | 05/02/2022 | Quarto ciclo | A promoção será válida | - +>ℹ️ Não é possível configurar promoções por UTM e promoções de assinatura usando cupom em pedidos recorrentes, o cupom será aplicado apenas a pedidos originais.
      1. Preencha os campos restantes da promoção.

      2. diff --git a/docs/tutorials/pt/creating-collections-beta.md b/docs/tutorials/pt/creating-collections-beta.md index eff5991bd..c78e85cdd 100644 --- a/docs/tutorials/pt/creating-collections-beta.md +++ b/docs/tutorials/pt/creating-collections-beta.md @@ -85,23 +85,23 @@ A seleção de produtos pelo Admin VTEX pode ser feita pela lista de produtos, p Há uma variedade de filtros que podem ser selecionados para reduzir a quantidade de produtos mostrados na lista. -![Coleções-PT](https://images.ctfassets.net/alneenqid6w5/1z2kSTLCnZMCyYwaqeopOU/6e80254a130ea6ec1e4ed11663e91219/Screenshot_2020-08-04_Cole____es.png) +![Coleções-PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-0.png) Você pode criar novos filtros a partir de outros critérios que não são abordados nos filtros pré-determinados. As imagens abaixo exemplificam essas opções: -![Novo filtro - PT](https://images.ctfassets.net/alneenqid6w5/7s94eqKdl8d3xCPI5wPfOK/d786e39f3886c90831907fc92466f640/Screenshot_14.png) +![Novo filtro - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-1.png) -![Novo filtro detalhes - PT](https://images.ctfassets.net/alneenqid6w5/60i6UvQEcghy6zsku1hTia/c158886033e62d698bf043c18d27a659/Screenshot_2020-08-05_Cole____es.png) +![Novo filtro detalhes - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-2.png) Para adicionar um produto à coleção, basta clicar no ícone referente ao produto. Assim, ele será salvo na coleção automaticamente. Caso deseje mais informações sobre o item, clique no ícone para abrir a página de produto ou clique na imagem para ampliá-la. -![PT-colecao-adicionar](https://images.ctfassets.net/alneenqid6w5/68r7LGGksNkoM9oqjwStFM/a7ac4e3caea2639e7581bae747f2ee1f/PT-colecao-adicionar.gif) +![PT-colecao-adicionar](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-3.gif) Caso você deseje realizar uma inclusão massiva, aplique pelo menos um dos filtros e clique no botão `Adicionar Todos`. Vale ressaltar que o produto precisa ter pelo menos um SKU cadastrado para ser incluído a uma coleção. -![Coleções Adicionar Todos - PT](https://images.ctfassets.net/alneenqid6w5/7Bo9F9fU4sGW4FqBTBquD8/20fa966d9f2bb7339ad12140fc722d2b/Screenshot_22.png) +![Coleções Adicionar Todos - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-4.png) >❗ Não adicione massivamente uma quantidade acima de 100 mil produtos. Isso pode comprometer a indexação do Catálogo e o funcionamento da sua loja. @@ -115,7 +115,7 @@ Para isso, siga os passos a seguir: 1. No painel da sua coleção, clique no botão `Importar`. 2. Clique na opção **Adicionar produtos à coleção** e, em seguida, no botão `Importar`. - 3. Clique em **Baixe o modelo** para ter o modelo correto da planilha, como o exemplo abaixo: ![Coleção planilha - PT](https://images.ctfassets.net/alneenqid6w5/2qWba0T6YYLIiwH8vy2JOX/567b23d9479f9e5d8d2929590aa81779/colecao-planilha_-PT.png) + 3. Clique em **Baixe o modelo** para ter o modelo correto da planilha, como o exemplo abaixo: ![Coleção planilha - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-5.png) 4. Preencha a planilha com os IDs ou RefIDs dos Produtos ou dos SKUs. Adicione apenas um ID em cada linha. Independente do ID que você preencher, todos os SKUs do produto selecionado serão adicionados à coleção depois da importação. 5. Depois de preencher a planilha, salve as alterações e importe o documento no Admin. Você pode soltar o arquivo na área indicada ou clicar em **Escolha um arquivo**. São aceitos arquivos em formato CSV ou XML. Em caso de um arquivo CSV, use `,` para delimitar os campos. 6. Para finalizar, clique em `Importar`. @@ -130,11 +130,11 @@ Os produtos podem ser removidos tanto pela seleção de itens na lista do módul Para remover um item da coleção, basta clicar no do produto. -![PT-colecao-remover](https://images.ctfassets.net/alneenqid6w5/4C7mFX4v4gpVTNV1D9QL2h/e01f7dadd8cedea525b6545eb853a355/PT-colecao-remover.gif) +![PT-colecao-remover](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-6.gif) Caso você deseje realizar uma remoção massiva, aplique um dos filtros e clique no botão `Remover Todos`. -![Coleções remover filtrados - PT](https://images.ctfassets.net/alneenqid6w5/1Ahv25AQ16j2B6zIV7YJrO/0f7aff71f6a25c295315745a69561c1c/Screenshot_23.png) +![Coleções remover filtrados - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-7.png) Você também pode clicar no botão (**Produtos nesta coleção**) na barra superior e depois selecionar `Remover Todos`. @@ -163,7 +163,7 @@ Para alterar a ordem da sua coleção, siga os passos abaixo: b. Selecione a caixa dos produtos que deseja alterar e clique em `Mover de Posição`. Indique o número da nova posição e, para finalizar, clique em `Mover`. Aqui é possível reordenar massivamente os itens da lista. -![Coleções mover - PT](https://images.ctfassets.net/alneenqid6w5/WHrP3DW5rGbyXY40Baixh/4291fbe93c0c64759ca44c07b213146d/Cole____es_mover_-_PT.PNG) +![Coleções mover - PT](https://raw.githubusercontent.com/vtexdocs/help-center-content/main/images/pt/cadastrar-colecoes-beta-8.PNG) ## Exportar planilha da coleção @@ -191,7 +191,5 @@ As coleções apresentam três status distintos: - **Inativa**: uma coleção está inativa quando a data de término é anterior à data atual. - **Agendada**: uma coleção está agendada quando a data de início é posterior à data atual. - +>ℹ️ Ao utilizar o Intelligent Search, existem duas opções que definirão a ordem de suas coleções. Usando o comando `map=productClusterIds`, estará definindo que a ordem de suas coleções será a que foi pré definida pelo lojista, com seu próprio critério de relevância. Se você optar por usar `productClusterNames`, definirá que deseja que suas coleções sigam os padrões de relevância do próprio Intelligent Search. diff --git a/docs/tutorials/pt/creating-synonyms.md b/docs/tutorials/pt/creating-synonyms.md index babea1338..6db3a0e36 100644 --- a/docs/tutorials/pt/creating-synonyms.md +++ b/docs/tutorials/pt/creating-synonyms.md @@ -21,9 +21,7 @@ Existem duas formas de configurar sinônimos no Admin VTEX: [individualmente](#c A configuração de sinônimos funciona de maneira recursiva. Isso significa que, ao adicionar um segundo sinônimo a outro já existente, ele também se tornará sinônimo do primeiro. - +>ℹ️ Sinônimos não devem ser utilizados para resolver erros de grafia, de plural e singular ou mesmo de pronomes, de artigos e de proposições nos termos pesquisados. Em todos estes pontos, o VTEX Intelligent Search é capaz de interpretar, aprender e resolver automaticamente por meio de algoritmos. ## Criar sinônimos individualmente diff --git a/docs/tutorials/pt/creating-the-category-tree.md b/docs/tutorials/pt/creating-the-category-tree.md index d2c6da627..bcfc227f9 100644 --- a/docs/tutorials/pt/creating-the-category-tree.md +++ b/docs/tutorials/pt/creating-the-category-tree.md @@ -18,4 +18,4 @@ subcategory: 1E7tziZCkY4w8i4EmUuwec A árvore de categorias é a relação de categorias que será utilizada em seu site. Os níveis são: departamento, categoria e subcategoria. Um nível mais específico do que o outro. [A definição de sua árvore de categorias](/tutorial/cadastrando-categoria/ "A definição de sua árvore de categorias") deve ser realizado no início do projeto e deve ser bem planejada, pensando em seu catálogo de produtos e em seu SEO. - + diff --git a/docs/tutorials/pt/creating-users.md b/docs/tutorials/pt/creating-users.md index a0094d413..5f41fe147 100644 --- a/docs/tutorials/pt/creating-users.md +++ b/docs/tutorials/pt/creating-users.md @@ -20,5 +20,5 @@ Após a criação do ambiente, apenas o usuário que assinou o contrato tem aces Para isso, [é preciso acessar seu License Manager e associar usuários](/tutorial/gerenciando-usuarios/ "é preciso acessar seu License Manager e associar usuários"). O vídeo abaixo ilustra todo o caminho para esta configuração. -