', 'If different from $ELASTICSEARCH_URL')
+ .parse(process.argv)
+
+main(program.opts())
+
+async function main(opts) {
+ if (!opts.elasticsearchUrl && !process.env.ELASTICSEARCH_URL) {
+ throw new Error(
+ 'Must passed the elasticsearch URL option or ' +
+ 'set the environment variable ELASTICSEARCH_URL'
+ )
+ }
+ let node = opts.elasticsearchUrl || process.env.ELASTICSEARCH_URL
+
+ // Allow the user to lazily set it to `localhost:9200` for example.
+ if (!node.startsWith('http') && !node.startsWith('://') && node.split(':').length === 2) {
+ node = `http://${node}`
+ }
+
+ try {
+ const parsed = new URL(node)
+ if (!parsed.hostname) throw new Error('no valid hostname')
+ } catch (err) {
+ console.error(chalk.bold('URL for Elasticsearch not a valid URL', err))
+ }
+
+ const { verbose, language, notLanguage } = opts
+
+ // The notLanguage is useful you want to, for example, index all languages
+ // *except* English.
+ if (language && notLanguage) {
+ throw new Error("Can't combine --language and --not-language")
+ }
+
+ if (verbose) {
+ console.log(`Connecting to ${chalk.bold(safeUrlDisplay(node))}`)
+ }
+
+ const client = new Client({
+ node,
+ sniffOnStart: true,
+ })
+
+ // This will throw if it can't ping
+ await client.ping()
+
+ const versionKeys = opts.version || allVersionKeys
+ const languages =
+ opts.language || languageKeys.filter((lang) => !notLanguage || !notLanguage.includes(lang))
+ if (verbose) {
+ console.log(`Indexing on languages ${chalk.bold(languages.join(', '))}`)
+ }
+
+ for (const language of languages) {
+ for (const versionKey of versionKeys) {
+ console.log(chalk.yellow(`Indexing ${chalk.bold(versionKey)} in ${chalk.bold(language)}`))
+ const indexName = `github-docs-${versionKey}-${language}`
+
+ console.time(`Indexing ${indexName}`)
+ await indexVersion(client, indexName, versionKey, language, verbose)
+ console.timeEnd(`Indexing ${indexName}`)
+ if (verbose) {
+ console.log(`To view index: ${safeUrlDisplay(node + `/${indexName}`)}`)
+ console.log(`To search index: ${safeUrlDisplay(node + `/${indexName}/_search`)}`)
+ }
+ }
+ }
+}
+
+function safeUrlDisplay(url) {
+ const parsed = new URL(url)
+ if (parsed.password) {
+ parsed.password = '***'
+ }
+ if (parsed.username) {
+ parsed.username = parsed.username.slice(0, 4) + '***'
+ }
+ return parsed.toString()
+}
+
+function utcTimestamp() {
+ const d = new Date()
+ return [
+ d.getUTCFullYear(),
+ d.getUTCMonth(),
+ d.getUTCDate(),
+ d.getUTCHours(),
+ d.getUTCMinutes(),
+ d.getUTCSeconds(),
+ ]
+ .map((x) => x.toString())
+ .join('')
+}
+
+// Consider moving this to lib
+async function indexVersion(client, indexName, version, language, verbose = false) {
+ // Note, it's a bit "weird" that numbered releases versions are
+ // called the number but that's how the lib/search/indexes
+ // files are named at the moment.
+ const indexVersion = shortNames[version].hasNumberedReleases
+ ? shortNames[version].currentRelease
+ : shortNames[version].miscBaseName
+ const recordsName = `github-docs-${indexVersion}-${language}`
+
+ const records = await loadRecords(recordsName)
+
+ const thisAlias = `${indexName}__${utcTimestamp()}`
+
+ // CREATE INDEX
+ const settings = {
+ analysis: {
+ analyzer: {
+ text_analyzer: {
+ filter: ['lowercase', 'stop', 'asciifolding'],
+ tokenizer: 'standard',
+ type: 'custom',
+ },
+ },
+ filter: {
+ // Will later, conditionally, put the snowball configuration here.
+ },
+ },
+ }
+ const snowballLanguage = getSnowballLanguage(language)
+ if (snowballLanguage) {
+ settings.analysis.analyzer.text_analyzer.filter.push('languaged_snowball')
+ settings.analysis.filter.languaged_snowball = {
+ type: 'snowball',
+ language: snowballLanguage,
+ }
+ } else {
+ if (verbose) {
+ console.warn(`No snowball language for '${language}'`)
+ }
+ }
+
+ await client.indices.create({
+ index: thisAlias,
+ mappings: {
+ properties: {
+ url: { type: 'keyword' },
+ title: { type: 'text', analyzer: 'text_analyzer', norms: false },
+ title_autocomplete: {
+ type: 'search_as_you_type',
+ doc_values: false,
+ max_shingle_size: 3,
+ },
+ content: { type: 'text', analyzer: 'text_analyzer' },
+ headings: { type: 'text' },
+ breadcrumbs: { type: 'text' },
+ topics: { type: 'text' },
+ popularity: { type: 'float' },
+ },
+ },
+ settings,
+ })
+
+ // POPULATE
+ const operations = Object.values(records).flatMap((doc) => {
+ const { title, objectID, content, breadcrumbs, headings, topics } = doc
+ const record = {
+ url: objectID,
+ title,
+ title_autocomplete: title,
+ content,
+ breadcrumbs,
+ headings,
+ topics: topics.filter(Boolean),
+ // This makes sure the popularities are always greater than 1.
+ // Generally the 'popularity' is a ratio where the most popular
+ // one of all is 1.0.
+ // By making it >=1.0 when we multiply a relevance score,
+ // you never get a product of 0.0.
+ popularity: doc.popularity + 1,
+ }
+ return [{ index: { _index: thisAlias } }, record]
+ })
+
+ const bulkResponse = await client.bulk({ refresh: true, operations })
+
+ if (bulkResponse.errors) {
+ // Some day, when we're more confident how and why this might happen
+ // we can rewrite this code to "massage" the errors better.
+ // For now, if it fails, it's "OK". It means we won't be proceeding,
+ // an error is thrown in Actions and we don't have to worry about
+ // an incompletion index.
+ console.error(bulkResponse.errors)
+ throw new Error('Bulk errors happened.')
+ }
+
+ const { count } = await client.count({ index: thisAlias })
+ console.log(`Documents now in ${chalk.bold(thisAlias)}: ${chalk.bold(count.toLocaleString())}`)
+
+ // POINT THE ALIAS
+ await client.indices.putAlias({
+ index: thisAlias,
+ name: indexName,
+ })
+ console.log(`Alias ${indexName} -> ${thisAlias}`)
+
+ // DELETE ALL OTHER OLDER INDEXES
+ const indices = await client.cat.indices({ format: 'json' })
+ for (const index of indices) {
+ if (index.index !== thisAlias && index.index.startsWith(indexName)) {
+ await client.indices.delete({ index: index.index })
+ console.log('Deleted', index.index)
+ }
+ }
+}
+
+async function loadRecords(indexName) {
+ const filePath = path.join('lib', 'search', 'indexes', `${indexName}-records.json.br`)
+ // Do not set to 'utf8' on file reads
+ return fs.readFile(filePath).then(decompress).then(JSON.parse)
+}
+
+function getSnowballLanguage(language) {
+ // Based on https://www.elastic.co/guide/en/elasticsearch/reference/current/analysis-snowball-tokenfilter.html
+ // Note, not all languages are supported. So this function might return
+ // undefined. That implies that you can't use snowballing.
+ return {
+ en: 'English',
+ fr: 'French',
+ es: 'Spanish',
+ ru: 'Russian',
+ it: 'Italian',
+ de: 'German',
+ pt: 'Portuguese',
+ }[language]
+}
diff --git a/script/search/parse-page-sections-into-records.js b/script/search/parse-page-sections-into-records.js
index a802c864f7..227ffe0e95 100644
--- a/script/search/parse-page-sections-into-records.js
+++ b/script/search/parse-page-sections-into-records.js
@@ -59,13 +59,16 @@ export default function parsePageSectionsIntoRecords(page) {
// pages that yields some decent content to be searched on, because
// when you view these pages in a browser, there's clearly text there.
if ($root.length > 0) {
- body = getAllText($, $root)
+ body = getAllText($root)
}
if (!body && !intro) {
console.warn(`${objectID} has no body and no intro.`)
}
+ // These below lines can be deleted (along with the `maxContentLength`
+ // config) once we've stopped generating Lunr indexes on disk that
+ // we store as Git LFS.
if (languageCode !== 'en' && body.length > maxContentLength) {
body = body.slice(0, maxContentLength)
}
@@ -82,55 +85,42 @@ export default function parsePageSectionsIntoRecords(page) {
}
}
-function getAllText($, $root) {
- let text = ''
+function getAllText($root) {
+ const inlineElements = new Set(
+ `a,abbr,acronym,audio,b,bdi,bdo,big,br,button,canvas,cite,code,data,
+ datalist,del,dfn,em,embed,i,iframe,img,input,ins,kbd,label,map,mark,
+ meter,noscript,object,output,picture,progress,q,ruby,s,samp,script,
+ select,slot,small,span,strong,sub,sup,svg,template,textarea,time,
+ tt,u,var,video,wbr`
+ .split(',')
+ .map((s) => s.trim())
+ )
- // We need this so we can know if we processed, for example,
- // a | followed by a because if that's the case, don't use
- // a ' ' to concatenate the texts together but a '\n' instead.
- // That means, given this input:
- //
- // Bla Hi again
- //
- // we can produce this outcome:
- //
- // 'Bla\nFoo Bar\nHi again'
- //
- let previousTagName = ''
+ const walkTree = (node, callback, index = 0, level = 0) => {
+ callback(node, index, level)
+ for (let i = 0; i < (node.children || []).length; i++) {
+ walkTree(node.children[i], callback, i, ++level)
+ level--
+ }
+ }
- $('p, h2, h3, td, pre, li', $root).each((i, element) => {
- const $element = $(element)
- if (previousTagName === 'td' && element.tagName !== 'td') {
- text += '\n'
+ const fragments = []
+
+ walkTree($root[0], (element) => {
+ if (element.name === 'body') return
+
+ if (element.type === 'text') {
+ const parentElement = element.parent || {}
+ const previousElement = element.prev || {}
+ let { data } = element
+ if (data.trim()) {
+ if (!inlineElements.has(parentElement.name) && !inlineElements.has(previousElement.name)) {
+ data = `\n${data}`
+ }
+ fragments.push(data)
+ }
}
- // Because our cheerio selector is all the block level tags,
- // what you might end up with is, from:
- //
- // Text
- // Code
- //
- // ['Text', 'Text', 'Code', 'Code']
- //
- // because it will spot both the and the .
- // If all HTML was exactly like that, you could omit the selector,
- // but a lot of HTML is like this:
- //
- // Bare text
- //
- // So we need to bail if we're inside a block level element whose parent
- // already was a .
- if ((element.tagName === 'p' || element.tagName === 'pre') && element.parent.tagName === 'li') {
- return
- }
- text += $element.text()
- if (element.tagName === 'td') {
- text += ' '
- } else {
- text += '\n'
- }
- previousTagName = element.tagName
})
- text = text.trim().replace(/\s*[\r\n]+/g, '\n')
- return text
+ return fragments.join('').trim()
}
diff --git a/tests/unit/search/fixtures/page-with-heading-and-paragraph-no-whitespace.html b/tests/unit/search/fixtures/page-with-heading-and-paragraph-no-whitespace.html
new file mode 100644
index 0000000000..c46b88c799
--- /dev/null
+++ b/tests/unit/search/fixtures/page-with-heading-and-paragraph-no-whitespace.html
@@ -0,0 +1,23 @@
+
+
+I am the page title
+
+
+ This is an introduction to the article.
+
+
+
diff --git a/tests/unit/search/fixtures/page-with-multiple-h1s.html b/tests/unit/search/fixtures/page-with-multiple-h1s.html
index 2e074f243e..d0252a5dc2 100644
--- a/tests/unit/search/fixtures/page-with-multiple-h1s.html
+++ b/tests/unit/search/fixtures/page-with-multiple-h1s.html
@@ -14,5 +14,6 @@
A heading 1 inside the body
- This won't be ignored.
+
+ Managing email preferencesYou can add or change the email addresses associated with your account on GitHub.com. You can also manage emails you receive from GitHub.
diff --git a/tests/unit/search/parse-page-sections-into-records.js b/tests/unit/search/parse-page-sections-into-records.js
index 13141aa2d2..eff36a033d 100644
--- a/tests/unit/search/parse-page-sections-into-records.js
+++ b/tests/unit/search/parse-page-sections-into-records.js
@@ -1,7 +1,10 @@
import { fileURLToPath } from 'url'
import path from 'path'
import fs from 'fs/promises'
+
import cheerio from 'cheerio'
+import { expect, test } from '@jest/globals'
+
import parsePageSectionsIntoRecords from '../../../script/search/parse-page-sections-into-records.js'
const __dirname = path.dirname(fileURLToPath(import.meta.url))
@@ -22,6 +25,10 @@ const fixtures = {
path.join(__dirname, 'fixtures/page-with-multiple-h1s.html'),
'utf8'
),
+ pageHeadingParagraphNoWhitespace: await fs.readFile(
+ path.join(__dirname, 'fixtures/page-with-heading-and-paragraph-no-whitespace.html'),
+ 'utf8'
+ ),
}
describe('search parsePageSectionsIntoRecords module', () => {
@@ -40,7 +47,7 @@ describe('search parsePageSectionsIntoRecords module', () => {
"In this article\nThis won't be ignored.\nFirst heading\n" +
"Here's a paragraph.\nAnd another.\nSecond heading\n" +
"Here's a paragraph in the second section.\nAnd another.\n" +
- 'Table heading\nPeter Human\n' +
+ 'Table heading\nPeter\nHuman\n' +
'Bullet\nPoint\nNumbered\nList\n' +
"Further reading\nThis won't be ignored.",
topics: ['topic1', 'topic2', 'GitHub Actions', 'Actions'],
@@ -90,4 +97,27 @@ describe('search parsePageSectionsIntoRecords module', () => {
const record = parsePageSectionsIntoRecords({ href, $, languageCode: 'en' })
expect(record.title).toEqual('I am the page title')
})
+
+ test("content doesn't lump headings with paragraphs together", () => {
+ const html = fixtures.pageHeadingParagraphNoWhitespace
+ const $ = cheerio.load(html)
+ const href = '/example/href'
+ const record = parsePageSectionsIntoRecords({ href, $, languageCode: 'en' })
+
+ // This is a inside the page but it should only appear once.
+ // We had a bug where the heading would be injected twice.
+ // E.g.
+ //
+ // HeadingText here
+ //
+ // would become:
+ //
+ // Heading\nHeadingText here
+ //
+ // So now we make sure it only appears exactly once.
+ expect(record.content.match(/Changing your primary email address/g).length).toBe(1)
+ // But note also that it would also concatenate the text of the heading
+ // with the text of the paragraph without a whitespace in between.
+ expect(record.content.includes('email addressYou can set')).toBeFalsy()
+ })
})
diff --git a/translations/ja-JP/content/admin/guides.md b/translations/ja-JP/content/admin/guides.md
index 45ab5bf19d..4724e3deb3 100644
--- a/translations/ja-JP/content/admin/guides.md
+++ b/translations/ja-JP/content/admin/guides.md
@@ -126,7 +126,6 @@ includeGuides:
- /admin/monitoring-activity-in-your-enterprise/exploring-user-activity/log-forwarding
- /admin/monitoring-activity-in-your-enterprise/exploring-user-activity/managing-global-webhooks
- /admin/user-management/managing-organizations-in-your-enterprise/adding-organizations-to-your-enterprise
- - /admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise
- /admin/user-management/managing-projects-using-jira
- /admin/user-management/managing-users-in-your-enterprise/inviting-people-to-manage-your-enterprise
- /admin/user-management/managing-users-in-your-enterprise/managing-support-entitlements-for-your-enterprise
diff --git a/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md b/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
index e31a404aa7..8ad5bff2e7 100644
--- a/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
+++ b/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
@@ -30,6 +30,7 @@ children:
- /username-considerations-for-external-authentication
- /changing-authentication-methods
- /allowing-built-in-authentication-for-users-outside-your-provider
+ - /troubleshooting-identity-and-access-management-for-your-enterprise
shortTitle: Manage IAM for your enterprise
---
diff --git a/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md b/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md
new file mode 100644
index 0000000000..1312640098
--- /dev/null
+++ b/translations/ja-JP/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md
@@ -0,0 +1,44 @@
+---
+title: Troubleshooting identity and access management for your enterprise
+shortTitle: Troubleshoot IAM
+intro: Review common issues and solutions for identity and access management for your enterprise.
+versions:
+ ghec: '*'
+ ghes: '*'
+type: how_to
+topics:
+ - Accounts
+ - Authentication
+ - Enterprise
+ - Identity
+ - Security
+ - SSO
+ - Troubleshooting
+---
+
+## Username conflicts
+
+{% ifversion ghec %}If your enterprise uses {% data variables.product.prodname_emus %}, {% endif %}{% data variables.product.product_name %} normalizes an identifier provided by your identity provider (IdP) to create each person's username on {% data variables.product.prodname_dotcom %}. If multiple accounts are normalized into the same {% data variables.product.prodname_dotcom %} username, a username conflict occurs, and only the first user account is created. For more information, see "[Username considerations for external authentication](/admin/identity-and-access-management/managing-iam-for-your-enterprise/username-considerations-for-external-authentication)."
+
+{% ifversion ghec %}
+## Errors when switching authentication configurations
+
+If you're experiencing problems while switching between different authentication configurations, such as changing your SAML SSO configuration from an organization to an enterprise account or migrating from SAML to OIDC for {% data variables.product.prodname_emus %}, ensure you're following our best practices for the change.
+
+- "[Switching your SAML configuration from an organization to an enterprise account](/admin/identity-and-access-management/using-saml-for-enterprise-iam/switching-your-saml-configuration-from-an-organization-to-an-enterprise-account)"
+- "[Migrating from SAML to OIDC](/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/migrating-from-saml-to-oidc)"
+
+## Accessing your enterprise when SSO is not available
+
+When a configuration error or an issue with your identity provider IdP prevents you from using SSO, you can use a recovery code to access your enterprise. For more information, see "[Accessing your enterprise account if your identity provider is unavailable](/admin/identity-and-access-management/managing-recovery-codes-for-your-enterprise/accessing-your-enterprise-account-if-your-identity-provider-is-unavailable)."
+{% endif %}
+
+## SAML authentication errors
+
+If users are experiencing errors when attempting to authenticate with SAML, see "[Troubleshooting SAML authentication](/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication)."
+
+{% ifversion ghec %}
+## 参考リンク
+
+- "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)"
+{% endif %}
diff --git a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
index dc52930af2..71fb3402ca 100644
--- a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
+++ b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
@@ -51,9 +51,3 @@ Alternatively, you can also configure SAML SSO using Okta for an organization th
1. [**Save**] をクリックします。
{% data reusables.saml.okta-view-setup-instructions %}
1. 設定手順の情報を使用して、Enterprise アカウントの SAML を有効にします。 詳しい情報については、「[Enterprise 向けのSAML シングルサインオンを設定する](/admin/authentication/managing-identity-and-access-for-your-enterprise/configuring-saml-single-sign-on-for-your-enterprise)」を参照してください。
-
-## Okta でグループを作成する
-
-1. Okta で、Enterprise アカウントが所有する各 Organization に合わせてグループを作成します。 各グループの名前は、Organization のアカウント名 (Organization の表示名ではく) に一致する必要があります。 たとえば、Organization の URL が `https://github.com/octo-org` の場合は、グループに `octo-org` という名前をつけます。
-1. Enterprise アカウントに作成したアプリケーションを各グループに割り当てます。 {% data variables.product.prodname_dotcom %} が、ユーザごとに `groups` データをすべて受け取ります。
-1. ユーザを所属させたい Organization に基づいて、ユーザをグループに追加します。
diff --git a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
index 3610d177f6..753fcca38a 100644
--- a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
+++ b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
@@ -136,6 +136,10 @@ To prevent a person from authenticating with your IdP and staying authorized ind
To customize the session duration, you may be able to define the value of the `SessionNotOnOrAfter` attribute on your IdP. If you define a value less than 24 hours, {% data variables.product.product_name %} may prompt people to authenticate every time {% data variables.product.product_name %} initiates a redirect.
+{% ifversion ghec %}
+To prevent authentication errors, we recommend a minimum session duration of 4 hours. For more information, see "[Troubleshooting SAML authentication](/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication#users-are-repeatedly-redirected-to-authenticate)."
+{% endif %}
+
{% note %}
**Notes**:
diff --git a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
index 1e84044b7c..b472e47e7e 100644
--- a/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
+++ b/translations/ja-JP/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
@@ -4,6 +4,7 @@ shortTitle: Troubleshoot SAML SSO
intro: 'If you use SAML single sign-on (SSO) and people are unable to authenticate to access {% data variables.product.product_location %}, you can troubleshoot the problem.'
versions:
ghes: '*'
+ ghec: '*'
type: how_to
topics:
- Accounts
@@ -15,6 +16,7 @@ topics:
- Troubleshooting
---
+{% ifversion ghes %}
## About problems with SAML authentication
{% data variables.product.product_name %} logs error messages for failed SAML authentication in the authentication log at _/var/log/github/auth.log_. You can review responses in this log file, and you can also configure more verbose logging.
@@ -100,3 +102,10 @@ Audience is invalid. Audience attribute does not match https://YOUR-INSTANCE
```
Ensure that you set the value for `Audience` on your IdP to the `EntityId` for {% data variables.product.product_location %}, which is the full URL to your instance. たとえば、`https://ghe.corp.example.com` などです。
+{% endif %}
+
+{% data reusables.saml.current-time-earlier-than-notbefore-condition %}
+
+{% ifversion ghec %}
+{% data reusables.saml.authentication-loop %}
+{% endif %}
diff --git a/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/index.md b/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
index 0c68504fda..a5784ea28a 100644
--- a/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
+++ b/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
@@ -8,6 +8,7 @@ redirect_from:
- /articles/managing-organizations-in-your-enterprise-account
- /github/setting-up-and-managing-your-enterprise-account/managing-organizations-in-your-enterprise-account
- /github/setting-up-and-managing-your-enterprise/managing-organizations-in-your-enterprise-account
+ - /admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise
intro: 'Organizationは企業内で、部署や同様のプロジェクトで作業を行うグループなど、個別のユーザグループを作成する素晴らしい手段です。 {% ifversion ghae %}Internal{% else %}Public and internal{% endif %} repositories that belong to an organization are accessible to members of other organizations in the enterprise, while private repositories are inaccessible to anyone but members of the organization that are granted access.'
versions:
ghec: '*'
@@ -17,7 +18,6 @@ topics:
- Enterprise
children:
- /adding-organizations-to-your-enterprise
- - /managing-unowned-organizations-in-your-enterprise
- /configuring-visibility-for-organization-membership
- /preventing-users-from-creating-organizations
- /requiring-two-factor-authentication-for-an-organization
diff --git a/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md b/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md
deleted file mode 100644
index 4d003fd590..0000000000
--- a/translations/ja-JP/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md
+++ /dev/null
@@ -1,22 +0,0 @@
----
-title: Managing unowned organizations in your enterprise
-intro: Enterprise アカウントで現在オーナーがいない Organization のオーナーになることができます。
-permissions: Enterprise owners can manage unowned organizations in an enterprise account.
-redirect_from:
- - /github/setting-up-and-managing-your-enterprise/managing-organizations-in-your-enterprise-account/managing-unowned-organizations-in-your-enterprise-account
- - /github/setting-up-and-managing-your-enterprise-account/managing-unowned-organizations-in-your-enterprise-account
- - /github/setting-up-and-managing-your-enterprise/managing-unowned-organizations-in-your-enterprise-account
-versions:
- ghec: '*'
-type: how_to
-topics:
- - Administrator
- - Enterprise
- - Organizations
-shortTitle: Manage unowned organizations
----
-
-{% data reusables.enterprise-accounts.access-enterprise %}
-2. 検索フィールドの右側で、[**X unowned**] をクリックします。 
-3. 所有権を取得したい Organization の右側で、[**Become an owner**] をクリックします。 ![[Become an owner] ボタン](/assets/images/help/business-accounts/become-an-owner-button.png)
-4. 警告を読み、[**Become an owner**] をクリックします。 ![[Become an owner] ボタン](/assets/images/help/business-accounts/become-an-owner-confirmation.png)
diff --git a/translations/ja-JP/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md b/translations/ja-JP/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
index 08ab5be252..a8826f468b 100644
--- a/translations/ja-JP/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
+++ b/translations/ja-JP/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
@@ -12,7 +12,7 @@ shortTitle: GitHub Copilotの支払い
{% data variables.product.prodname_copilot %}を使いたい場合、{% data variables.product.prodname_dotcom %}の個人アカウントにプランが必要になります。 {% data variables.product.prodname_copilot %} の詳細については、「[{% data variables.product.prodname_copilot %} について](/en/copilot/overview-of-github-copilot/about-github-copilot)」を参照してください。
-有料プランを始める前に、{% data variables.product.prodname_copilot %}を評価するために1回限定の60日の試用をセットアップできます。 試用を開始するには、月次もしくは年次の支払いサイクルを選択し、支払い方法を提供しなければなりません。 60日の終わりまでに試用をキャンセルしなかった場合、試用は自動的に有料プランに変換されます。 {% data variables.product.prodname_copilot %}の試用は、60日の間いつでもキャンセルでき、そうすれば課金されることはありません。 試用の終了前にキャンセルした場合、60日の試用期間が終了するまでは{% data variables.product.prodname_copilot %}にアクセスできます。 For more information, see "[Managing your GitHub Copilot subscription](/en/billing/managing-billing-for-github-copilot/managing-your-github-copilot-subscription)."
+有料プランを始める前に、{% data variables.product.prodname_copilot %}を評価するために1回限定の60日の試用をセットアップできます。 試用を開始するには、月次もしくは年次の支払いサイクルを選択し、支払い方法を提供しなければなりません。 60日の終わりまでに試用をキャンセルしなかった場合、試用は自動的に有料プランに変換されます。 {% data variables.product.prodname_copilot %}の試用は、60日の間いつでもキャンセルでき、そうすれば課金されることはありません。 試用の終了前にキャンセルした場合、60日の試用期間が終了するまでは{% data variables.product.prodname_copilot %}にアクセスできます。 詳しい情報については「[GitHub Copilotのプランの管理](/en/billing/managing-billing-for-github-copilot/managing-your-github-copilot-subscription)」を参照してください。
## {% data variables.product.prodname_copilot %}の価格
diff --git a/translations/ja-JP/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md b/translations/ja-JP/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
index e9d7ada6f4..729a1e93f7 100644
--- a/translations/ja-JP/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
+++ b/translations/ja-JP/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
@@ -76,7 +76,7 @@ jobs:
matrix:
language: [java]
- # Specify the container in which actions will run
+ # アクションが実行されるコンテナを指定
container:
image: codeql-container:f0f91db
diff --git a/translations/ja-JP/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md b/translations/ja-JP/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
index 7a92b5fc37..e79a0ab94d 100644
--- a/translations/ja-JP/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
+++ b/translations/ja-JP/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
@@ -27,6 +27,7 @@ If a repository belongs to an organization, the organization admin may have set
Each codespace has its own retention period. You may, therefore, have codespaces with different rentention periods. For example, if:
* You created a codespace, changed your default retention period, then created another codespace.
+* You created a codespace using {% data variables.product.prodname_cli %} and specified a different retention period.
* You created a codespace from an organization-owned repository that has a retention period configured for the organization.
{% note %}
@@ -55,11 +56,10 @@ Each codespace has its own retention period. You may, therefore, have codespaces
1. [**Save**] をクリックします。
-This default setting may be superseded by a shorter organization-level retention period.
+When you create a codespace using {% data variables.product.prodname_cli %} you can override this default. If you create a codespace in an organization that specifies a shorter retention period, the organization-level value overrides your personal setting.
If you set a retention period of more than a day, you'll be sent an email notification one day prior to its deletion.
-
## Checking the remaining time until autodeletion
You can check whether a codespace is due to be automatically deleted soon.
@@ -68,16 +68,19 @@ When an inactive codespace is approaching the end of its retention period, this

-
{% endwebui %}
-
-
{% cli %}
## Setting a retention period for a codespace
-You can set your default retention period in your web browser, on {% data variables.product.prodname_dotcom_the_website %}. For more information, click the "Web browser" tab at the top of this article.
+To set the codespace retention period when you create a codespace, use the `--retention-period` flag with the `codespace create` subcommand. Specify the period in days. The period must be between 0 and 30 days.
+
+```shell
+gh codespace create --retention-period DAYS
+```
+
+If you don't specify a retention period when you create a codespace, then either your default retention period, or an organization retention period, will be used, depending on which is lower. For information about setting your default retention period, click the "Web browser" tab on this page.
{% data reusables.cli.cli-learn-more %}
@@ -87,7 +90,7 @@ You can set your default retention period in your web browser, on {% data variab
## Setting the retention period
-You can set your default retention period in your web browser, on {% data variables.product.prodname_dotcom_the_website %}. For more information, click the "Web browser" tab at the top of this article.
+You can set your default retention period in your web browser, on {% data variables.product.prodname_dotcom_the_website %}. Alternatively, if you use {% data variables.product.prodname_cli %} to create a codespace you can set a retention period for that particular codespace. For more information, click the appropriate tab above.
## Checking whether codespaces will be autodeleted soon
diff --git a/translations/ja-JP/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md b/translations/ja-JP/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
index 170fc6ed18..d3fdd471c6 100644
--- a/translations/ja-JP/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
+++ b/translations/ja-JP/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
@@ -16,13 +16,13 @@ topics:
{% data variables.product.prodname_codespaces %} are automatically deleted after they have been stopped and have remained inactive for a defined number of days. The retention period for each codespace is set when the codespace is created and does not change.
-Everyone who has access to {% data variables.product.prodname_github_codespaces %} can configure a retention period for the codespaces they create. The initial setting for this retention period is 30 days. Individual users can set this period within the range 0-30 days. For more information, see "[Configuring automatic deletion of your codespaces](/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces)."
+Everyone who has access to {% data variables.product.prodname_github_codespaces %} can configure a retention period for the codespaces they create. The initial setting for this default retention period is 30 days. Individual users can set this period within the range 0-30 days. For more information, see "[Configuring automatic deletion of your codespaces](/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces)."
As an organization owner, you may want to configure constraints on the maximum retention period for codespaces created for the repositories owned by your organization. This can help you to limit the storage costs associated with codespaces that are stopped and then left unused until they are automatically deleted. For more information about storage charges, see "[About billing for Codespaces](/billing/managing-billing-for-github-codespaces/about-billing-for-codespaces#codespaces-pricing)." You can set a maximum retention period for all, or for specific, repositories owned by your organization.
### Setting organization-wide and repository-specific policies
-When you create a policy, you choose whether it applies to all repositories in your organization, or only to specified repositories. If you create an organization-wide policy with a codespace retention constraint, then the retention constraints in any policies that are targeted at specific repositories should be shorter than the restriction configured for the entire organization, or they will have no effect. The shortest retention period - in an organization-wide policy, a policy targeted at specified repositories, or in someone's personal settings - is applied.
+When you create a policy, you choose whether it applies to all repositories in your organization, or only to specified repositories. If you create an organization-wide policy with a codespace retention constraint, then the retention constraints in any policies that are targeted at specific repositories should be shorter than the restriction configured for the entire organization, or they will have no effect. The shortest retention period - in an organization-wide policy, a policy targeted at specified repositories, or the default retention period in someone's personal settings - is applied.
If you add an organization-wide policy with a retention constraint, you should set the retention period to the longest acceptable period. You can then add separate policies that set the maximum retention to a shorter period for specific repositories in your organization.
diff --git a/translations/ja-JP/content/codespaces/the-githubdev-web-based-editor.md b/translations/ja-JP/content/codespaces/the-githubdev-web-based-editor.md
index 96501bb8d3..7ec50726d1 100644
--- a/translations/ja-JP/content/codespaces/the-githubdev-web-based-editor.md
+++ b/translations/ja-JP/content/codespaces/the-githubdev-web-based-editor.md
@@ -34,7 +34,10 @@ The {% data variables.product.prodname_serverless %} runs entirely in your bro
You can open any {% data variables.product.prodname_dotcom %} repository in the {% data variables.product.prodname_serverless %} in either of the following ways:
-- Press `.` while browsing any repository or pull request on {% data variables.product.prodname_dotcom %}.
+- To open the repository in the same browser tab, press `.` while browsing any repository or pull request on {% data variables.product.prodname_dotcom %}.
+
+ To open the repository in a new browser tab, hold down the shift key and press `.`.
+
- Change the URL from "github.com" to "github.dev".
- When viewing a file, use the dropdown menu next to {% octicon "pencil" aria-label="The edit icon" %} and select **Open in github.dev**.
diff --git a/translations/ja-JP/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md b/translations/ja-JP/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
index 69e35d15ed..3ca1f7d07e 100644
--- a/translations/ja-JP/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
+++ b/translations/ja-JP/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
@@ -14,9 +14,13 @@ shortTitle: Dotfiles
If your codespace fails to pick up configuration settings from dotfiles, you should work through the following debugging steps.
1. ドットファイルリポジトリがパブリックであることを確認します。 codespace で使用するシークレットまたは機密データがある場合は、プライベートドットファイルの代わりに[Codespace シークレット](/codespaces/managing-your-codespaces/managing-encrypted-secrets-for-your-codespaces)を使用します。
-2. `/workspaces/.codespaces/.persistedshare/dotfiles` をチェックして、ドットファイルがクローンされたかどうかを確認します。
- - If your dotfiles were cloned, try manually re-running your install script to verify that it is executable.
- - If your dotfiles were not cloned, check `/workspaces/.codespaces/.persistedshare/EnvironmentLog.txt` to see if there was a problem cloning them.
-3. 考えられる Issue については、`/workspaces/.codespaces/.persistedshare/creation.log` を確認します。 For more information, see [Creation logs](/codespaces/troubleshooting/codespaces-logs#creation-logs).
+2. Enable dotfiles by selecting **Automatically install dotfiles** in [your personal Codespaces settings](https://github.com/settings/codespaces).
+
+ 
+
+3. `/workspaces/.codespaces/.persistedshare/dotfiles` をチェックして、ドットファイルがクローンされたかどうかを確認します。
+ - If your dotfiles were cloned, try manually re-running your install script to verify that it is executable.
+ - If your dotfiles were not cloned, check `/workspaces/.codespaces/.persistedshare/EnvironmentLog.txt` to see if there was a problem cloning them.
+4. 考えられる Issue については、`/workspaces/.codespaces/.persistedshare/creation.log` を確認します。 For more information, see [Creation logs](/codespaces/troubleshooting/codespaces-logs#creation-logs).
If the configuration from your dotfiles is correctly picked up, but part of the configuration is incompatible with codespaces, use the `$CODESPACES` environment variable to add conditional logic for codespace-specific configuration settings.
diff --git a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
index af6da0c895..be22b9aba0 100644
--- a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
+++ b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
@@ -21,7 +21,7 @@ children:
- /downloading-your-organizations-saml-single-sign-on-recovery-codes
- /managing-team-synchronization-for-your-organization
- /accessing-your-organization-if-your-identity-provider-is-unavailable
- - /troubleshooting-identity-and-access-management
+ - /troubleshooting-identity-and-access-management-for-your-organization
shortTitle: SAMLシングルサインオンの管理
---
diff --git a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
index 9e0c563fff..ac74f8d83e 100644
--- a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
+++ b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
@@ -74,7 +74,7 @@ OktaでのTeam同期のエラーの可能性を回避するために、{% data v
OrganizationのメンバーがリンクされたSCIMアイデンティティを持たない場合、Teamの同期は期待された動作をせず、そのユーザはTeamに追加も削除もされないかもしれません。 もしもユーザの中にSCIMのリンクされたアイデンティティを持たない者がいた場合、それらのユーザはプロビジョニングし直さなければなりません。
-SCIMのリンクされたアイデンティティを書いているユーザのプロビジョニングに関するヘルプについては「[アイデンティティ及びアクセス管理のトラブルシューティング](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management)」を参照してください。
+For help on provisioning users that have missing a missing SCIM linked identity, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
{% data reusables.identity-and-permissions.team-sync-okta-requirements %}
diff --git a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
similarity index 92%
rename from translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md
rename to translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
index dbff7d3471..373c5e7f5b 100644
--- a/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md
+++ b/translations/ja-JP/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
@@ -1,5 +1,5 @@
---
-title: アイデンティティとアクセス管理のトラブルシューティング
+title: Troubleshooting identity and access management for your organization
intro: OrganizationのSAML SSO、Team同期、アイデンティティプロバイダ(IdP)との接続に関するエラーに対する一般的なトラブルシューティングをレビューして解決してください。
versions:
ghec: '*'
@@ -7,8 +7,14 @@ topics:
- Organizations
- Teams
shortTitle: アクセスのトラブルシューティング
+redirect_from:
+ - /organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management
---
+{% data reusables.saml.current-time-earlier-than-notbefore-condition %}
+
+{% data reusables.saml.authentication-loop %}
+
## プロビジョニングされていない、あるいはSCIMによってプロビジョニング解除されたユーザがいる
ユーザのプロビジョニングの問題が生じた場合、ユーザがSCIMのメタデータを欠いているかどうかをチェックすることをおすすめします。
@@ -87,3 +93,7 @@ IdPを介して、ユーザのSCIMを手動で再プロビジョニングでき
ユーザのSCIMアイデンティティが作成されたことを確認するには、SCIMの外部アイデンティティを持っていないことが確認された一人のOrganizationメンバーで、このプロセスをテストすることをおすすめします。 手動でIdP内のユーザを更新したら、ユーザのSCIMアイデンティティが作成されたかを{% data variables.product.prodname_dotcom %} の SCIM APIを使ってチェックできます。 詳しい情報については「[ユーザのSCIMメタデータの欠如の監査](#auditing-users-for-missing-scim-metadata)」あるいはREST APIエンドポイントの「[ユーザのSCIMプロビジョニング情報の取得](/rest/reference/scim#get-scim-provisioning-information-for-a-user)」を参照してください。
ユーザのSCIMの再プロビジョニングでもうまくいかない場合は、{% data variables.product.prodname_dotcom %}サポートにお問い合わせください。
+
+## 参考リンク
+
+- "[Troubleshooting identity and access management for your enterprise](/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise)"
diff --git a/translations/ja-JP/data/reusables/actions/workflow-permissions-intro.md b/translations/ja-JP/data/reusables/actions/workflow-permissions-intro.md
index 5a7bdef1b3..c1e4bab564 100644
--- a/translations/ja-JP/data/reusables/actions/workflow-permissions-intro.md
+++ b/translations/ja-JP/data/reusables/actions/workflow-permissions-intro.md
@@ -1 +1 @@
-`GITHUB_TOKEN`に付与されるデフォルトの権限を設定できます。 For more information about the `GITHUB_TOKEN`, see "[Automatic token authentication](/actions/security-guides/automatic-token-authentication)." You can choose a restricted set of permissions as the default, or apply permissive settings.
+`GITHUB_TOKEN`に付与されるデフォルトの権限を設定できます。 `GITHUB_TOKEN`に関する詳しい情報については「[自動トークン認証](/actions/security-guides/automatic-token-authentication)」を参照してください。 デフォルトで制限された権限セットを選択することも、より幅広い権限設定を適用することもできます。
diff --git a/translations/ja-JP/data/reusables/actions/workflow-pr-approval-permissions-intro.md b/translations/ja-JP/data/reusables/actions/workflow-pr-approval-permissions-intro.md
index 1806d22a03..11b01751f3 100644
--- a/translations/ja-JP/data/reusables/actions/workflow-pr-approval-permissions-intro.md
+++ b/translations/ja-JP/data/reusables/actions/workflow-pr-approval-permissions-intro.md
@@ -1 +1 @@
-You can choose to allow or prevent {% data variables.product.prodname_actions %} workflows from{% ifversion allow-actions-to-approve-pr-with-ent-repo %} creating or{% endif %} approving pull requests.
+{% data variables.product.prodname_actions %}ワークフローに対してPull Requestの{% ifversion allow-actions-to-approve-pr-with-ent-repo %}作成もしくは{% endif %}承認を許可あるいは拒否できます。
diff --git a/translations/ja-JP/data/reusables/actions/workflow-run-approve-public-fork.md b/translations/ja-JP/data/reusables/actions/workflow-run-approve-public-fork.md
index bce4f37a4b..de6d49642c 100644
--- a/translations/ja-JP/data/reusables/actions/workflow-run-approve-public-fork.md
+++ b/translations/ja-JP/data/reusables/actions/workflow-run-approve-public-fork.md
@@ -4,6 +4,6 @@
{% note %}
-**Note:** Workflows triggered by `pull_request_target` events are run in the context of the base branch. Since the base branch is considered trusted, workflows triggered by these events will always run, regardless of approval settings.
+**ノート:** `pull_request_target`イベントでトリガーされたワークフローは、ベースブランチのコンテキスト内で実行されます。 ベースブランチは信頼できるものと見なされるので、これらのイベントでトリガーされたワークフローは、承認設定に関係なく常に実行されます。
{% endnote %}
diff --git a/translations/ja-JP/data/reusables/actions/workflow-template-overview.md b/translations/ja-JP/data/reusables/actions/workflow-template-overview.md
index ee0b462420..97834de962 100644
--- a/translations/ja-JP/data/reusables/actions/workflow-template-overview.md
+++ b/translations/ja-JP/data/reusables/actions/workflow-template-overview.md
@@ -1,3 +1,3 @@
-{% data variables.product.prodname_dotcom %} provides preconfigured starter workflow that you can customize to create your own continuous integration workflow. {% data variables.product.product_name %} analyzes your code and shows you CI starter workflow that might be useful for your repository. たとえばリポジトリにNode.jsのコードが含まれているなら、Node.jsプロジェクトのためのサジェッションが提示されます。 You can use starter workflow as a starting place to build your custom workflow or use them as-is.
+{% data variables.product.prodname_dotcom %}は事前設定されたスターターワークフローを提供します。これは、カスタマイズして独自の継続的インテグレーションワークフローを作成できます。 {% data variables.product.product_name %}はコードを分析し、リポジトリで役に立つであろうCIスターターワークフローを提示します。 たとえばリポジトリにNode.jsのコードが含まれているなら、Node.jsプロジェクトのためのサジェッションが提示されます。 スターターワークフローは、カスタムワークフローを構築するための出発点として使うことも、あるいはそのまま使うこともできます。
-You can browse the full list of starter workflow in the {% ifversion fpt or ghec %}[actions/starter-workflows](https://github.com/actions/starter-workflows) repository{% else %} `actions/starter-workflows` repository on {% data variables.product.product_location %}{% endif %}.
+スターターワークフローの完全なリストは、{% ifversion fpt or ghec %}[actions/starter-workflows](https://github.com/actions/starter-workflows)リポジトリ{% else %}{% data variables.product.product_location %}上の`actions/starter-workflows`リポジトリ{% endif %}で閲覧できます。
diff --git a/translations/ja-JP/data/reusables/identity-and-permissions/team-sync-confirm-scim.md b/translations/ja-JP/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
index 2cadcc5846..93872cfd85 100644
--- a/translations/ja-JP/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
+++ b/translations/ja-JP/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
@@ -1 +1 @@
-1. We recommend you confirm that your users have SAML enabled and have a linked SCIM identity to avoid potential provisioning errors. For help auditing your users, see "[Auditing users for missing SCIM metadata](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management#auditing-users-for-missing-scim-metadata)." For help resolving unlinked SCIM identities, see "[Troubleshooting identity and access management](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management)."
+1. We recommend you confirm that your users have SAML enabled and have a linked SCIM identity to avoid potential provisioning errors. For more information, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
diff --git a/translations/ja-JP/data/reusables/saml/authentication-loop.md b/translations/ja-JP/data/reusables/saml/authentication-loop.md
new file mode 100644
index 0000000000..f63dba7341
--- /dev/null
+++ b/translations/ja-JP/data/reusables/saml/authentication-loop.md
@@ -0,0 +1,7 @@
+## Users are repeatedly redirected to authenticate
+
+If users are repeatedly redirected to the SAML authentication prompt in a loop, you may need to increase the SAML session duration in your IdP settings.
+
+The `SessionNotOnOrAfter` value sent in a SAML response determines when a user will be redirected back to the IdP to authenticate. If a SAML session duration is configured for 2 hours or less, {% data variables.product.prodname_dotcom_the_website %} will refresh a SAML session 5 minutes before it expires. If your session duration is configured as 5 minutes or less, users can get stuck in a SAML authentication loop.
+
+To fix this problem, we recommend configuring a minimum SAML session duration of 4 hours. For more information, see "[SAML configuration reference](/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference#session-duration-and-timeout)."
\ No newline at end of file
diff --git a/translations/ja-JP/data/reusables/saml/current-time-earlier-than-notbefore-condition.md b/translations/ja-JP/data/reusables/saml/current-time-earlier-than-notbefore-condition.md
new file mode 100644
index 0000000000..457f1d293b
--- /dev/null
+++ b/translations/ja-JP/data/reusables/saml/current-time-earlier-than-notbefore-condition.md
@@ -0,0 +1,7 @@
+## Error: "Current time is earlier than NotBefore condition"
+
+This error can occur when there's too large of a time difference between your IdP and {% data variables.product.product_name %}, which commonly occurs with self-hosted IdPs.
+
+{% ifversion ghes %}To prevent this problem, we recommend pointing your appliance to the same Network Time Protocol (NTP) source as your IdP, if possible. {% endif %}If you encounter this error, make sure the time on your {% ifversion ghes %}appliance{% else %}IdP{% endif %} is properly synced with your NTP server.
+
+If you use ADFS as your IdP, also set `NotBeforeSkew` in ADFS to 1 minute for {% data variables.product.prodname_dotcom %}. If `NotBeforeSkew` is set to 0, even very small time differences, including milliseconds, can cause authentication problems.
\ No newline at end of file
diff --git a/translations/ja-JP/data/reusables/saml/okta-edit-provisioning.md b/translations/ja-JP/data/reusables/saml/okta-edit-provisioning.md
index a750ec967d..d70d0e0fa7 100644
--- a/translations/ja-JP/data/reusables/saml/okta-edit-provisioning.md
+++ b/translations/ja-JP/data/reusables/saml/okta-edit-provisioning.md
@@ -1,4 +1,5 @@
-1. To avoid syncing errors and confirm that your users have SAML enabled and SCIM linked identities, we recommend you audit your organization's users. For more information, see "[Auditing users for missing SCIM metadata](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management#auditing-users-for-missing-scim-metadata)."
+1. To avoid syncing errors and confirm that your users have SAML enabled and SCIM linked identities, we recommend you audit your organization's users. For more information, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
+
1. [Provisioning to App] の右にある [**Edit**] をクリックします。

diff --git a/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications.md b/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications.md
index 7aeae41e36..b6323bbd38 100644
--- a/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications.md
+++ b/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications.md
@@ -129,9 +129,9 @@ Email notifications from {% data variables.product.product_location %} contain t
| --- | --- |
| `From` address | This address will always be {% ifversion fpt or ghec %}'`notifications@github.com`'{% else %}'the no-reply email address configured by your site administrator'{% endif %}. |
| `To` field | This field connects directly to the thread.{% ifversion not ghae %} If you reply to the email, you'll add a new comment to the conversation.{% endif %} |
-| `Cc` address | {% data variables.product.product_name %} will `Cc` you if you're subscribed to a conversation. The second `Cc` email address matches the notification reason. The suffix for these notification reasons is {% data variables.notifications.cc_address %}. The possible notification reasons are: - `assign`: You were assigned to an issue or pull request.
- `author`: You created an issue or pull request.
- `ci_activity`: A {% data variables.product.prodname_actions %} workflow run that you triggered was completed.
- `comment`: You commented on an issue or pull request.
- `manual`: There was an update to an issue or pull request you manually subscribed to.
- `mention`: You were mentioned on an issue or pull request.
- `push`: Someone committed to a pull request you're subscribed to.
- `review_requested`: You or a team you're a member of was requested to review a pull request.
{% ifversion fpt or ghes or ghae or ghec %}- `security_alert`: {% data variables.product.prodname_dotcom %} detected a vulnerability in a repository you receive alerts for.
{% endif %}- `state_change`: An issue or pull request you're subscribed to was either closed or opened.
- `subscribed`: There was an update in a repository you're watching.
- `team_mention`: A team you belong to was mentioned on an issue or pull request.
- `your_activity`: You opened, commented on, or closed an issue or pull request.
|
-| `mailing list` field | This field identifies the name of the repository and its owner. The format of this address is always `..{% data variables.command_line.backticks %}`. |{% ifversion fpt or ghes or ghae or ghec %}
-| `X-GitHub-Severity` field | {% data reusables.repositories.security-alerts-x-github-severity %} The possible severity levels are:- `low`
- `moderate`
- `high`
- `critical`
For more information, see "[About {% data variables.product.prodname_dependabot_alerts %}](/github/managing-security-vulnerabilities/about-alerts-for-vulnerable-dependencies)." |{% endif %}
+| `Cc` address | {% data variables.product.product_name %} will `Cc` you if you're subscribed to a conversation. The second `Cc` email address matches the notification reason. The suffix for these notification reasons is {% data variables.notifications.cc_address %}. The possible notification reasons are: - `assign`: You were assigned to an issue or pull request.
- `author`: You created an issue or pull request.
- `ci_activity`: A {% data variables.product.prodname_actions %} workflow run that you triggered was completed.
- `comment`: You commented on an issue or pull request.
- `manual`: There was an update to an issue or pull request you manually subscribed to.
- `mention`: You were mentioned on an issue or pull request.
- `push`: Someone committed to a pull request you're subscribed to.
- `review_requested`: You or a team you're a member of was requested to review a pull request.
- `security_alert`: {% data variables.product.prodname_dotcom %} detected a vulnerability in a repository you receive alerts for.
- `state_change`: An issue or pull request you're subscribed to was either closed or opened.
- `subscribed`: There was an update in a repository you're watching.
- `team_mention`: A team you belong to was mentioned on an issue or pull request.
- `your_activity`: You opened, commented on, or closed an issue or pull request.
|
+| `mailing list` field | This field identifies the name of the repository and its owner. The format of this address is always `..{% data variables.command_line.backticks %}`. |
+| `X-GitHub-Severity` field | {% data reusables.repositories.security-alerts-x-github-severity %} The possible severity levels are:- `low`
- `moderate`
- `high`
- `critical`
For more information, see "[About {% data variables.product.prodname_dependabot_alerts %}](/github/managing-security-vulnerabilities/about-alerts-for-vulnerable-dependencies)." |
## Choosing your notification settings
@@ -139,8 +139,8 @@ Email notifications from {% data variables.product.product_location %} contain t
{% data reusables.notifications-v2.manage-notifications %}
3. On the notifications settings page, choose how you receive notifications when:
- There are updates in repositories or team discussions you're watching or in a conversation you're participating in. For more information, see "[About participating and watching notifications](#about-participating-and-watching-notifications)."
- - You gain access to a new repository or you've joined a new team. For more information, see "[Automatic watching](#automatic-watching)."{% ifversion fpt or ghes or ghae or ghec %}
- - There are new {% data variables.product.prodname_dependabot_alerts %} in your repository. For more information, see "[{% data variables.product.prodname_dependabot_alerts %} notification options](#dependabot-alerts-notification-options)." {% endif %} {% ifversion fpt or ghec %}
+ - You gain access to a new repository or you've joined a new team. For more information, see "[Automatic watching](#automatic-watching)."
+ - There are new {% data variables.product.prodname_dependabot_alerts %} in your repository. For more information, see "[{% data variables.product.prodname_dependabot_alerts %} notification options](#dependabot-alerts-notification-options)." {% ifversion fpt or ghec %}
- There are workflow runs updates on repositories set up with {% data variables.product.prodname_actions %}. For more information, see "[{% data variables.product.prodname_actions %} notification options](#github-actions-notification-options)."{% endif %}{% ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5668 %}
- There are new deploy keys added to repositories that belong to organizations that you're an owner of. For more information, see "[Organization alerts notification options](#organization-alerts-notification-options)."{% endif %}
@@ -194,7 +194,6 @@ If you are a member of more than one organization, you can configure each one to
5. Select one of your verified email addresses, then click **Save**.

-{% ifversion fpt or ghes or ghae or ghec %}
## {% data variables.product.prodname_dependabot_alerts %} notification options
{% data reusables.notifications.vulnerable-dependency-notification-enable %}
@@ -202,7 +201,6 @@ If you are a member of more than one organization, you can configure each one to
{% data reusables.notifications.vulnerable-dependency-notification-options %}
For more information about the notification delivery methods available to you, and advice on optimizing your notifications for {% data variables.product.prodname_dependabot_alerts %}, see "[Configuring notifications for {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)."
-{% endif %}
{% ifversion fpt or ghes or ghec %}
## {% data variables.product.prodname_actions %} notification options
diff --git a/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/viewing-and-triaging-notifications/managing-notifications-from-your-inbox.md b/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/viewing-and-triaging-notifications/managing-notifications-from-your-inbox.md
index 99bab00371..3dc1482d92 100644
--- a/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/viewing-and-triaging-notifications/managing-notifications-from-your-inbox.md
+++ b/translations/pt-BR/content/account-and-profile/managing-subscriptions-and-notifications-on-github/viewing-and-triaging-notifications/managing-notifications-from-your-inbox.md
@@ -112,15 +112,13 @@ Para filtrar notificações para uma atividade específica no {% data variables.
- `is:gist`
- `is:issue-or-pull-request`
- `is:release`
-- `is:repository-invitation`{% ifversion fpt or ghes or ghae or ghec %}
-- `is:repository-vulnerability-alert`{% endif %}{% ifversion fpt or ghec %}
+- `is:repository-invitation`
+- `is:repository-vulnerability-alert`{% ifversion fpt or ghec %}
- `is:repository-advisory`{% endif %}
- `is:team-discussion`{% ifversion fpt or ghec %}
- `is:discussion`{% endif %}
-{% ifversion fpt or ghes or ghae or ghec %}
Para obter informações sobre a redução de ruído de notificações para {% data variables.product.prodname_dependabot_alerts %}, consulte "[Configurando notificações para {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)".
-{% endif %}
Você também pode usar a consulta `is:` para descrever como a notificação passou pela triagem.
@@ -142,8 +140,8 @@ Para filtrar notificações por motivos pelos quais recebeu uma atualização, v
| `reason:invitation` | Quando você for convidado para uma equipe, organização ou repositório. |
| `reason:manual` | Quando você clicar em **Assinar** em um problema ou uma pull request que você ainda não estava inscrito. |
| `reason:mention` | Você foi @mencionado diretamente. |
-| `reason:review-requested` | Foi solicitado que você ou uma equipe revise um um pull request.{% ifversion fpt or ghes or ghae or ghec %}
-| `reason:security-alert` | Quando um alerta de segurança é emitido para um repositório.{% endif %}
+| `reason:review-requested` | Você ou uma equipe da qual é integrante é solicitado a revisar uma pull request. |
+| `reason:security-alert` | Quando um alerta de segurança é emitido para um repositório. |
| `reason:state-change` | Quando o estado de uma pull request ou um problema é alterado. Por exemplo, um problema é fechado ou uma pull request é mesclada. |
| `reason:team-mention` | Quando uma equipe da qual você é integrante é @mencionada. |
| `reason:ci-activity` | Quando um repositório tem uma atualização de CI, como um novo status de execução de fluxo de trabalho. |
@@ -161,7 +159,6 @@ Por exemplo, para ver notificações da organização octo-org, use `org:octo-or
{% endif %}
-{% ifversion fpt or ghes or ghae or ghec %}
## Filtros personalizados de {% data variables.product.prodname_dependabot %}
{% ifversion fpt or ghec or ghes > 3.2 %}
@@ -182,4 +179,3 @@ Se você usar {% data variables.product.prodname_dependabot %} para falar sobre
Para obter mais informações sobre {% data variables.product.prodname_dependabot %}, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/github/managing-security-vulnerabilities/about-alerts-for-vulnerable-dependencies)."
{% endif %}
-{% endif %}
diff --git a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile.md b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile.md
index d12ee9d23c..27ee7bcb3c 100644
--- a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile.md
+++ b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile.md
@@ -20,7 +20,7 @@ Opcionalmente, é possível escolher adicionar uma descrição, localização, s
{% ifversion fpt %}
As organizações que usam o {% data variables.product.prodname_ghe_cloud %} podem confirmar a identidade da sua organização e exibir um selo "Verificado" na página de perfil da organização, verificando os domínios da organização com {% data variables.product.product_name %}. Para obter mais informações, consulte "[verificando ou aprovando um domínio para sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" na documentação de {% data variables.product.prodname_ghe_cloud %}.
-{% elsif ghec or ghes > 3.1 %}
+{% elsif ghec or ghes %}
Para confirmar a identidade da sua organização e exibir um selo "Verificado" na página de perfil da organização, você pode verificar os domínios da sua organização com {% data variables.product.prodname_dotcom %}. Para obter mais informações, consulte "[Verificar ou aprovar um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)".
{% endif %}
diff --git a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/managing-your-theme-settings.md b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/managing-your-theme-settings.md
index 6e49bbbb22..e0be30e3f3 100644
--- a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/managing-your-theme-settings.md
+++ b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/managing-your-theme-settings.md
@@ -4,7 +4,7 @@ intro: 'Você pode gerenciar como {% data variables.product.product_name %} se p
versions:
fpt: '*'
ghae: '*'
- ghes: '>=3.2'
+ ghes: '*'
ghec: '*'
topics:
- Accounts
diff --git a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/permission-levels-for-a-personal-account-repository.md b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/permission-levels-for-a-personal-account-repository.md
index 7f1c943d36..d1079aff2f 100644
--- a/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/permission-levels-for-a-personal-account-repository.md
+++ b/translations/pt-BR/content/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/permission-levels-for-a-personal-account-repository.md
@@ -32,32 +32,32 @@ Você também pode {% ifversion fpt or ghec %}convidar{% else %}add{% endif %} u
O proprietário do repositório tem controle total do repositório. Além das ações que qualquer colaborador pode executar, o proprietário do repositório pode executar as ações a seguir.
-| Ação | Mais informações |
-|:---------------------------------------------------------------------------------------------------------------------------------------------------------------- |:---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| {% ifversion fpt or ghec %}Convidar colaboradores{% else %}Adicionar colaboradores{% endif %} | |
-| "[Convidar colaboradores para um repositório pessoal](/github/setting-up-and-managing-your-github-user-account/inviting-collaborators-to-a-personal-repository)" | |
+| Ação | Mais informações |
+|:---------------------------------------------------------------------------------------------------------------------------------------------------------------- |:----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| {% ifversion fpt or ghec %}Convidar colaboradores{% else %}Adicionar colaboradores{% endif %} | |
+| "[Convidar colaboradores para um repositório pessoal](/github/setting-up-and-managing-your-github-user-account/inviting-collaborators-to-a-personal-repository)" | |
| Alterar a visibilidade do repositório | "[Configurar a visibilidade do repositório](/github/administering-a-repository/setting-repository-visibility)" {% ifversion fpt or ghec %}
| Limitar interações com o repositório | "[Limitar interações no seu repositório](/communities/moderating-comments-and-conversations/limiting-interactions-in-your-repository)",{% endif %}
-| Renomear um branch, incluindo o branch padrão | "[Renomeando um branch](/github/administering-a-repository/renaming-a-branch)" |
-| Fazer merge de uma pull request em um branch protegido, mesmo sem revisões de aprovação | "[Sobre branches protegidos](/github/administering-a-repository/about-protected-branches)" |
-| Excluir o repositório | "[Excluir um repositório](/repositories/creating-and-managing-repositories/deleting-a-repository)" |
+| Renomear um branch, incluindo o branch padrão | "[Renomeando um branch](/github/administering-a-repository/renaming-a-branch)" |
+| Fazer merge de uma pull request em um branch protegido, mesmo sem revisões de aprovação | "[Sobre branches protegidos](/github/administering-a-repository/about-protected-branches)" |
+| Excluir o repositório | "[Excluir um repositório](/repositories/creating-and-managing-repositories/deleting-a-repository)" |
| Gerenciar tópicos do repositório | "[Classificar seu repositório com tópicos](/github/administering-a-repository/classifying-your-repository-with-topics)" {% ifversion fpt or ghec %}
| Gerenciar configurações de segurança e análise para o repositório | "[Gerenciar as configurações de segurança e análise do repositório](/github/administering-a-repository/managing-security-and-analysis-settings-for-your-repository)" |{% endif %}{% ifversion fpt or ghec %}
-| Habilitar o gráfico de dependências para um repositório privado | "[Explorar as dependências de um repositório](/github/visualizing-repository-data-with-graphs/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)" |{% endif %}{% ifversion fpt or ghes > 3.1 or ghec or ghae %}
-| Excluir e restaurar pacotes | "[Excluir e restaurar um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)"
+| Habilitar o gráfico de dependências para um repositório privado | "[Explorar as dependências de um repositório](/github/visualizing-repository-data-with-graphs/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)"
{% endif %}
-| Personalizar a visualização das mídias sociais do repositório | "[Personalizar a visualização das mídias sociais do seu repositório](/github/administering-a-repository/customizing-your-repositorys-social-media-preview)" |
-| Criar um modelo a partir do repositório | "[Criando um repositório de modelo](/github/creating-cloning-and-archiving-repositories/creating-a-template-repository)"{% ifversion fpt or ghes or ghae or ghec %}
-| Controle o acesso a {% data variables.product.prodname_dependabot_alerts %} | "[Gerenciar as configurações de segurança e análise do repositório](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository#granting-access-to-security-alerts)" |{% endif %}{% ifversion fpt or ghec %}
-| Ignorar {% data variables.product.prodname_dependabot_alerts %} no repositório | "[Visualizando e atualizando {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/viewing-and-updating-dependabot-alerts)" |
+| Excluir e restaurar pacotes | "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)" |
+| Personalizar a visualização das mídias sociais do repositório | "[Personalizar a visualização das mídias sociais do seu repositório](/github/administering-a-repository/customizing-your-repositorys-social-media-preview)" |
+| Criar um modelo a partir do repositório | "[Criando um repositório de modelo](/github/creating-cloning-and-archiving-repositories/creating-a-template-repository)" |
+| Controle o acesso a {% data variables.product.prodname_dependabot_alerts %} | "[Gerenciar as configurações de segurança e análise do repositório](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository#granting-access-to-security-alerts)" |{% ifversion fpt or ghec %}
+| Ignorar {% data variables.product.prodname_dependabot_alerts %} no repositório | "[Visualizando e atualizando {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/viewing-and-updating-dependabot-alerts)" |
| Gerenciar o uso de dados para um repositório privado | "[Gerenciar as configurações de uso de dados para o seu repositório privado](/get-started/privacy-on-github/managing-data-use-settings-for-your-private-repository)"
{% endif %}
-| Definir os proprietários do código do repositório | "[Sobre proprietários do código](/github/creating-cloning-and-archiving-repositories/about-code-owners)" |
+| Definir os proprietários do código do repositório | "[Sobre proprietários do código](/github/creating-cloning-and-archiving-repositories/about-code-owners)" |
| Arquivar o repositório | "[Arquivar repositórios](/repositories/archiving-a-github-repository/archiving-repositories)" |{% ifversion fpt or ghec %}
-| Criar consultorias de segurança | "[Sobre {% data variables.product.prodname_security_advisories %}](/github/managing-security-vulnerabilities/about-github-security-advisories)" |
+| Criar consultorias de segurança | "[Sobre {% data variables.product.prodname_security_advisories %}](/github/managing-security-vulnerabilities/about-github-security-advisories)" |
| Exibir um botão de patrocinador | "[Exibir um botão de patrocinador no repositório](/github/administering-a-repository/displaying-a-sponsor-button-in-your-repository)"
{% endif %}
-| Permitir ou negar merge automático para pull requests | "[Gerenciar merge automático para pull requests no seu repositório](/github/administering-a-repository/managing-auto-merge-for-pull-requests-in-your-repository)" |
+| Permitir ou negar merge automático para pull requests | "[Gerenciar merge automático para pull requests no seu repositório](/github/administering-a-repository/managing-auto-merge-for-pull-requests-in-your-repository)" |
## Acesso do colaborador a um repositório pertencente a uma conta pessoal
@@ -73,8 +73,8 @@ Os colaboradores também podem executar as seguintes ações.
| Ação | Mais informações |
|:---------------------------------------------------------------------------------------- |:--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| Bifurcar o repositório | "[Sobre bifurcações](/pull-requests/collaborating-with-pull-requests/working-with-forks/about-forks)" |{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| Renomear um branch diferente do branch padrão | "[Renomear um branch](/github/administering-a-repository/renaming-a-branch)" ➲{% endif %}
+| Bifurcar o repositório | "[Sobre bifurcações](/pull-requests/collaborating-with-pull-requests/working-with-forks/about-forks)" |
+| Renomear um branch diferente do branch padrão | "[Renomeando um branch](/github/administering-a-repository/renaming-a-branch)" |
| Criar, editar e excluir comentários em commits, pull requests e problemas no repositório | - "[Sobre problemas](/github/managing-your-work-on-github/about-issues)"
- "[Comentando em um pull request](/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/commenting-on-a-pull-request)"
- "[Gerenciar comentários disruptivos](/communities/moderating-comments-and-conversations/managing-disruptive-comments)"
|
| Criar, atribuir, fechar e reabrir problemas no repositório | "[Gerenciar o seu trabalho com problemas](/github/managing-your-work-on-github/managing-your-work-with-issues)" |
| Gerenciar etiquetas para problemas e pull requests no repositório | "[Etiquetar problemas e pull requests](/github/managing-your-work-on-github/labeling-issues-and-pull-requests)" |
diff --git a/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-net.md b/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-net.md
index c6cfb0b3f0..9b5857c7a9 100644
--- a/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-net.md
+++ b/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-net.md
@@ -179,7 +179,6 @@ Após a conclusão de um fluxo de trabalho, você poderá fazer o upload dos art
Para obter mais informações, consulte "[Dados recorrentes do fluxo de trabalho que usam artefatos](/github/automating-your-workflow-with-github-actions/persisting-workflow-data-using-artifacts)".
-
```yaml
name: dotnet package
@@ -225,10 +224,10 @@ on:
jobs:
deploy:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- uses: {% data reusables.actions.action-checkout %}
- uses: {% data reusables.actions.action-setup-dotnet %}
diff --git a/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-ruby.md b/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-ruby.md
index 139d75aa04..90de5cd924 100644
--- a/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-ruby.md
+++ b/translations/pt-BR/content/actions/automating-builds-and-tests/building-and-testing-ruby.md
@@ -279,10 +279,10 @@ on:
jobs:
build:
name: Build + Publish
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- uses: {% data reusables.actions.action-checkout %}
diff --git a/translations/pt-BR/content/actions/deployment/about-deployments/about-continuous-deployment.md b/translations/pt-BR/content/actions/deployment/about-deployments/about-continuous-deployment.md
index 893331646f..86efcb0a83 100644
--- a/translations/pt-BR/content/actions/deployment/about-deployments/about-continuous-deployment.md
+++ b/translations/pt-BR/content/actions/deployment/about-deployments/about-continuous-deployment.md
@@ -29,7 +29,7 @@ A implentação contínua é frequentemente acompanhada da integração contínu
Você pode configurar seu fluxo de trabalho do CD para ser executado quando ocorrer um evento de {% data variables.product.product_name %} (por exemplo, quando o novo código é enviado para o branch padrão do seu repositório), em um cronograma definido, manualmente ou quando ocorre um evento externo usando o webhook de envio do repositório. Para obter mais informações sobre quando seu fluxo de trabalho pode ser executado, consulte "[Eventos que acionam fluxos de trabalho](/actions/reference/events-that-trigger-workflows)".
-{% data variables.product.prodname_actions %} fornece funcionalidades que dão mais controle sobre implantações. Por exemplo, você pode usar ambientes para exigir aprovação para um trabalho prosseguir, restringir quais branches podem acionar um fluxo de trabalho, ou limitar o acesso a segredos. {% ifversion fpt or ghae or ghes > 3.1 or ghec %}Você pode usar a simultaneidade para limitar o pipeline do CD a um máximo de uma implantação em andamento e uma implantação pendente. {% endif %}Para obter mais informações sobre essas funcionalidades, consulte "[Implantando com GitHub Actions](/actions/deployment/deploying-with-github-actions)" e "[Usando ambientes para implantação](/actions/deployment/using-environments-for-deployment)".
+{% data variables.product.prodname_actions %} fornece funcionalidades que dão mais controle sobre implantações. Por exemplo, você pode usar ambientes para exigir aprovação para um trabalho prosseguir, restringir quais branches podem acionar um fluxo de trabalho, ou limitar o acesso a segredos. Você pode usar concorrência para limitar o pipeline do CD até uma implantação em andamento e uma implantação pendente. Para obter mais informações sobre essas funcionalidades, consulte "[Implantando com GitHub Actions](/actions/deployment/deploying-with-github-actions)" e "[Usando ambientes para implantação](/actions/deployment/using-environments-for-deployment)".
{% ifversion fpt or ghec or ghae-issue-4856 or ghes > 3.4 %}
diff --git a/translations/pt-BR/content/actions/deployment/targeting-different-environments/using-environments-for-deployment.md b/translations/pt-BR/content/actions/deployment/targeting-different-environments/using-environments-for-deployment.md
index 2ee7aa429c..dd9ff4314c 100644
--- a/translations/pt-BR/content/actions/deployment/targeting-different-environments/using-environments-for-deployment.md
+++ b/translations/pt-BR/content/actions/deployment/targeting-different-environments/using-environments-for-deployment.md
@@ -34,7 +34,7 @@ As organizações que usam {% data variables.product.prodname_ghe_cloud %} podem
## Regras de proteção de ambiente
-As normas de proteção do ambiente exigem a aprovação de condições específicas antes que um trabalho que faz referência ao ambiente possa prosseguir. {% ifversion fpt or ghae or ghes > 3.1 or ghec %}Você pode usar regras de proteção do ambiente para exigir uma aprovação manual, atrasar um trabalho ou restringir o ambiente a certos branches.{% else %}Você pode usar as regras de proteção de ambiente para exigir uma aprovação manual ou atrasar um trabalho.{% endif %}
+As normas de proteção do ambiente exigem a aprovação de condições específicas antes que um trabalho que faz referência ao ambiente possa prosseguir. Você pode usar regras de proteção ambiental para exigir uma aprovação manual, atrasar um trabalho ou restringir o ambiente a certos branches.
### Revisores necessários
@@ -46,7 +46,6 @@ Para obter mais informações sobre os trabalhos de revisão que fazem referênc
Use o temporizador de espera para atrasar o trabalho por um período específico de tempo depois que o trabalho for inicialmente acionado. O tempo (em minutos) deve ser um número inteiro entre 0 e 43.200 (30 dias).
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
### Implementar branches
Use os branches de implantação para restringir quais branches podem ser implementados no ambiente. Abaixo, estão as opções para branches de implantação para um ambiente:
@@ -56,7 +55,6 @@ Use os branches de implantação para restringir quais branches podem ser implem
* **Branches selecionados**: Somente branches que correspondem a seus padrões de nome especificados podem implantar no ambiente.
Por exemplo, se você especificar `releases/*` como uma regra de implantação de branch, apenas os branches cujo nome começa com `releases/` poderão fazer a implantação no ambiente. (Caracteres curinga não correspondem a `/`. Para corresponder aos branches que começam com `release/` e contêm uma única barra adicional, use `release/*/*`.) Se você adicionar `main` como uma regra de branch de implantação, um branch denominado `main` também poderá ser implantado no ambiente. Para obter mais informações sobre opções de sintaxe para branches de implantação, consulte a [Documentação File.fnmatch do Ruby](https://ruby-doc.org/core-2.5.1/File.html#method-c-fnmatch).
-{% endif %}
## Segredos de ambiente
Os segredos armazenados em um ambiente só estão disponíveis para trabalhos de fluxo de trabalho que fazem referência ao ambiente. Se o ambiente exigir aprovação, um trabalho não poderá acessar segredos de ambiente até que um dos revisores necessários o aprove. Para obter mais informações sobre segredos, consulte "[Segredos criptografados](/actions/reference/encrypted-secrets)".
@@ -101,7 +99,7 @@ Os segredos armazenados em um ambiente só estão disponíveis para trabalhos de
1. Insira o valor do segredo.
1. Clique em **Add secret** (Adicionar segredo).
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}Você também pode criar e configurar ambientes por meio da API REST. Para obter mais informações, consulte "[Ambientes](/rest/reference/repos#environments)" e "[Segredos](/rest/reference/actions#secrets)."{% endif %}
+Também é possível criar e configurar ambientes por meio da API REST. Para obter mais informações, consulte "[Ambientes](/rest/reference/repos#environments)" e "[Segredos](/rest/reference/actions#secrets)".
Executar um fluxo de trabalho que faz referência a um ambiente que não existe criará um ambiente com o nome referenciado. O novo ambiente não terá nenhuma regra de proteção ou segredos configurados. Qualquer pessoa que possa editar fluxos de trabalho no repositório pode criar ambientes por meio de um arquivo de fluxo de trabalho, mas apenas os administradores do repositório podem configurar o ambiente.
@@ -125,13 +123,13 @@ A exclusão de um ambiente apagará todos os segredos e regras de proteção ass
1. Ao lado do ambiente que você deseja excluir, clique em {% octicon "trash" aria-label="The trash icon" %}.
2. Clique em **Eu entendi, exclua este ambiente**.
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}Você também pode excluir ambientes por meio da API REST. Para obter mais informações, consulte "[Ambientes](/rest/reference/repos#environments)."{% endif %}
+Também é possível excluir ambientes por meio da API REST. Para obter mais informações, consulte "[Ambientes](/rest/reference/repos#environments)."
## Como os ambientes relacionam-se com as implantações
{% data reusables.actions.environment-deployment-event %}
-Você pode acessar esses objetos por meio da API REST ou API do GraphQL. Você também pode assinar esses eventos de webhook. Para obter mais informações, consulte "[Repositórios](/rest/reference/repos#deployments)" (API REST), "[Objetos]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#deployment)" (GraphQL API) ou "[Eventos de webhook e cargas](/developers/webhooks-and-events/webhooks/webhook-events-and-payloads#deployment)".
+Você pode acessar esses objetos por meio da API REST ou API do GraphQL. Você também pode assinar esses eventos de webhook. Para obter mais informações, consulte "[Repositórios](/rest/reference/repos#deployments)" (API REST), "[Objetos](/graphql/reference/objects#deployment)" (GraphQL API) ou "[Eventos de webhook e cargas](/developers/webhooks-and-events/webhooks/webhook-events-and-payloads#deployment)".
## Próximas etapas
diff --git a/translations/pt-BR/content/actions/hosting-your-own-runners/adding-self-hosted-runners.md b/translations/pt-BR/content/actions/hosting-your-own-runners/adding-self-hosted-runners.md
index 7d166ec2fd..33df75d7fe 100644
--- a/translations/pt-BR/content/actions/hosting-your-own-runners/adding-self-hosted-runners.md
+++ b/translations/pt-BR/content/actions/hosting-your-own-runners/adding-self-hosted-runners.md
@@ -56,7 +56,7 @@ You can add self-hosted runners to a single repository. To add a self-hosted run
{% data reusables.repositories.navigate-to-repo %}
{% data reusables.repositories.sidebar-settings %}
{% data reusables.repositories.settings-sidebar-actions-runners %}
-1. Under {% ifversion ghes > 3.1 or ghae or ghec %}"Runners"{% else %}"Self-hosted runners"{% endif %}, click **Add runner**.
+1. Under {% ifversion ghes or ghae or ghec %}"Runners"{% else %}"Self-hosted runners"{% endif %}, click **Add runner**.
{% data reusables.actions.self-hosted-runner-configure %}
{% endif %}
{% data reusables.actions.self-hosted-runner-check-installation-success %}
@@ -77,7 +77,7 @@ You can add self-hosted runners at the organization level, where they can be use
{% data reusables.organizations.navigate-to-org %}
{% data reusables.organizations.org_settings %}
{% data reusables.organizations.settings-sidebar-actions-runners %}
-1. Under {% ifversion ghes > 3.1 or ghae %}"Runners", click **Add new**, then click **New runner**.{% elsif ghes < 3.2 %}"Self-hosted runners", click **Add runner**."{% endif %}
+1. Under {% ifversion ghes or ghae %}"Runners", click **Add new**, then click **New runner**.{% endif %}
{% data reusables.actions.self-hosted-runner-configure %}
{% endif %}
{% data reusables.actions.self-hosted-runner-check-installation-success %}
diff --git a/translations/pt-BR/content/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups.md b/translations/pt-BR/content/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups.md
index 524d6b6933..1ee7def2f6 100644
--- a/translations/pt-BR/content/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups.md
+++ b/translations/pt-BR/content/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups.md
@@ -67,7 +67,7 @@ Os grupos de executores de {% data reusables.actions.runner-group-assign-policy-
{% data reusables.organizations.navigate-to-org %}
{% data reusables.organizations.org_settings %}
{% data reusables.organizations.settings-sidebar-actions-runner-groups %}
-1. Em {% ifversion ghes > 3.1 or ghae %}"Executores"{% elsif ghes < 3.2 %}"Executores auto-hospedados"{% endif %}, clique em **Adicionar novo** e, em seguida, **Novo grupo**.
+1. Em {% ifversion ghes or ghae %}"Executores"{% endif %}, clique em **Adicionar novo** e, em seguida, em **Novo grupo**.

1. Insira um nome para o seu grupo de executor e atribua uma política para acesso ao repositório.
@@ -204,7 +204,7 @@ Se você não especificar o grupo de um executor durante o processo de registro,
2. Selecione o menu suspenso **Grupo do executor**.
3. Em "Transferir executor para o grupo", escolha um grupo de destino para o executor.
{% elsif ghae or ghes < 3.4 %}
-1. Na seção {% ifversion ghes > 3.1 or ghae %}"Grupos de executores"{% elsif ghes < 3.2 %}"Executores auto-hospedados"{% endif %} da página de configurações, localize o grupo atual do executor que deseja mover e expandir a lista de integrantes do grupo. 
+1. Na seção "Grupos de executores" de {% ifversion ghes or ghae %}{% endif %} na página de configurações. localize o grupo atual do executor que você deseja transferir e expanda a lista de integrantes do grupo. 
2. Marque a caixa de seleção ao lado do executor auto-hospedado e, em seguida, clique em **Mover para o grupo** para ver os destinos disponíveis. 
3. Para mover o executor, clique no grupo de destino. 
{% endif %}
@@ -213,16 +213,11 @@ Se você não especificar o grupo de um executor durante o processo de registro,
Os executores auto-hospedados são retornados automaticamente ao grupo-padrão quando seu grupo é removido.
-{% ifversion ghes > 3.1 or ghae or ghec %}
+{% ifversion ghes or ghae or ghec %}
{% data reusables.actions.self-hosted-runner-groups-navigate-to-repo-org-enterprise %}
1. Na lista de grupos, à direita do grupo que você deseja excluir, clique em {% octicon "kebab-horizontal" aria-label="The horizontal kebab icon" %}.
2. Para remover o grupo, clique em **Remover grupo**.
3. Revise os avisos de confirmação e, em seguida, clique em **Remover este grupo de executores**.
-{% elsif ghes < 3.2 %}
-1. Na seção "Executores auto-hospedados" da página de configurações, localize o grupo que você deseja excluir e clique no botão {% octicon "kebab-horizontal" aria-label="The horizontal kebab icon" %} . 
-1. Para remover o grupo, clique em **Remover grupo**. 
-
-1. Revise os avisos de confirmação e, em seguida, clique em **Remover este grupo de executores**.
{% endif %}
{% endif %}
diff --git a/translations/pt-BR/content/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners.md b/translations/pt-BR/content/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners.md
index 8bc1ed42f1..b0c3fe73ee 100644
--- a/translations/pt-BR/content/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners.md
+++ b/translations/pt-BR/content/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners.md
@@ -24,7 +24,7 @@ shortTitle: Monitor & troubleshoot
{% data reusables.actions.self-hosted-runner-navigate-repo-and-org %}
{% data reusables.organizations.settings-sidebar-actions-runners %}
-1. Under {% ifversion fpt or ghes > 3.1 or ghae or ghec %}"Runners"{% else %}"Self-hosted runners"{% endif %}, you can view a list of registered runners, including the runner's name, labels, and status.
+1. Under "Runners", you can view a list of registered runners, including the runner's name, labels, and status.
The status can be one of the following:
@@ -167,7 +167,6 @@ If you want to customize the self-hosted runner application service, do not dire
{% endmac %}
-
{% windows %}
## Using PowerShell to check the self-hosted runner application service
@@ -265,4 +264,4 @@ User=runner-user
{% data reusables.actions.upgrade-runners-before-upgrade-ghes %}
If your runners are offline for this reason, manually update the runners. For more information, see the installation instructions for [the latest release](https://github.com/actions/runner/releases/latest) in the actions/runner repository.
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/content/actions/learn-github-actions/finding-and-customizing-actions.md b/translations/pt-BR/content/actions/learn-github-actions/finding-and-customizing-actions.md
index 2a64abfd89..165dc5272a 100644
--- a/translations/pt-BR/content/actions/learn-github-actions/finding-and-customizing-actions.md
+++ b/translations/pt-BR/content/actions/learn-github-actions/finding-and-customizing-actions.md
@@ -155,7 +155,7 @@ steps:
### Usar SHAs
-Se você precisar de uma versão mais confiável, você deverá usar o valor de SHA associado à versão da ação. Os SHAs são imutáveis e, portanto, mais confiáveis que tags ou branches. No entanto, esta abordagem significa que você não receberá automaticamente atualizações de uma ação, incluindo correções de erros importantes e atualizações de segurança. {% ifversion fpt or ghes > 3.0 or ghae or ghec %}Você deve usar o valor completo do SHA de um commit e não um valor abreviado. {% endif %}Este exemplo aponta para o SHA de uma ação:
+Se você precisar de uma versão mais confiável, você deverá usar o valor de SHA associado à versão da ação. Os SHAs são imutáveis e, portanto, mais confiáveis que tags ou branches. No entanto, esta abordagem significa que você não receberá automaticamente atualizações de uma ação, incluindo correções de erros importantes e atualizações de segurança. Você deve usar o valor SHA completo de um commit e não um valor abreviado. Este exemplo tem como alvo a ação do SHA:
```yaml
steps:
diff --git a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/adding-labels-to-issues.md b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/adding-labels-to-issues.md
index 85d2f0dd95..2aabe47545 100644
--- a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/adding-labels-to-issues.md
+++ b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/adding-labels-to-issues.md
@@ -40,9 +40,9 @@ No tutorial, primeiro você criará um arquivo de fluxo de trabalho que usa a a
- opened
jobs:
label_issues:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
- issues: write{% endif %}
+ issues: write
steps:
- name: Label issues
uses: andymckay/labeler@e6c4322d0397f3240f0e7e30a33b5c5df2d39e90
diff --git a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/closing-inactive-issues.md b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/closing-inactive-issues.md
index 687df90c2a..903503c966 100644
--- a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/closing-inactive-issues.md
+++ b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/closing-inactive-issues.md
@@ -37,10 +37,10 @@ No tutorial, primeiro você vai fazer um arquivo de fluxo de trabalho que usa a
jobs:
close-issues:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
issues: write
- pull-requests: write{% endif %}
+ pull-requests: write
steps:
- uses: {% data reusables.actions.action-stale %}
with:
diff --git a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/commenting-on-an-issue-when-a-label-is-added.md b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/commenting-on-an-issue-when-a-label-is-added.md
index fe26a14907..7b4fff24f7 100644
--- a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/commenting-on-an-issue-when-a-label-is-added.md
+++ b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/commenting-on-an-issue-when-a-label-is-added.md
@@ -41,9 +41,9 @@ No tutorial, primeiro você vai criar um arquivo de fluxo de trabalho que usa a
jobs:
add-comment:
if: github.event.label.name == 'help-wanted'
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
- issues: write{% endif %}
+ issues: write
steps:
- name: Add comment
uses: peter-evans/create-or-update-comment@a35cf36e5301d70b76f316e867e7788a55a31dae
diff --git a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/removing-a-label-when-a-card-is-added-to-a-project-board-column.md b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/removing-a-label-when-a-card-is-added-to-a-project-board-column.md
index 07d5deb1eb..3021a84ca4 100644
--- a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/removing-a-label-when-a-card-is-added-to-a-project-board-column.md
+++ b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/removing-a-label-when-a-card-is-added-to-a-project-board-column.md
@@ -42,10 +42,10 @@ No tutorial, primeiro você criará um arquivo de fluxo de trabalho que usa a a
jobs:
remove_labels:
if: github.event.project_card.column_id == '12345678'
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
issues: write
- pull-requests: write{% endif %}
+ pull-requests: write
steps:
- name: remove labels
uses: andymckay/labeler@5c59dabdfd4dd5bd9c6e6d255b01b9d764af4414
diff --git a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/scheduling-issue-creation.md b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/scheduling-issue-creation.md
index e400879115..77b678ae91 100644
--- a/translations/pt-BR/content/actions/managing-issues-and-pull-requests/scheduling-issue-creation.md
+++ b/translations/pt-BR/content/actions/managing-issues-and-pull-requests/scheduling-issue-creation.md
@@ -40,9 +40,9 @@ No tutorial, primeiro você vai criar um arquivo de fluxo de trabalho que usa a
jobs:
create_issue:
name: Create team sync issue
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
- issues: write{% endif %}
+ issues: write
steps:
- name: Create team sync issue
uses: imjohnbo/issue-bot@3daae12aa54d38685d7ff8459fc8a2aee8cea98b
diff --git a/translations/pt-BR/content/actions/managing-workflow-runs/reviewing-deployments.md b/translations/pt-BR/content/actions/managing-workflow-runs/reviewing-deployments.md
index 375aa32a17..886b18cdef 100644
--- a/translations/pt-BR/content/actions/managing-workflow-runs/reviewing-deployments.md
+++ b/translations/pt-BR/content/actions/managing-workflow-runs/reviewing-deployments.md
@@ -14,7 +14,7 @@ versions:
Os trabalhos que fazem referência a um ambiente configurado com os revisores necessários irão aguardar a aprovação antes de serem iniciados. Enquanto um trabalho está aguardando aprovação, ele tem um status de "Aguardando". Se um trabalho não for aprovado em 30 dias, a execução do fluxo de trabalho será automaticamente cancelada.
-Para obter mais informações sobre ambientes e aprovações necessárias, consulte "[Usando ambientes para implantação](/actions/deployment/using-environments-for-deployment).{% ifversion fpt or ghae or ghes > 3.1 or ghec %} Para obter informações sobre como revisar implantações com a API REST, consulte "[Execuções de trabalho](/rest/reference/actions#workflow-runs)."{% endif %}
+Para obter mais informações sobre ambientes e aprovações necessárias, consulte "[Usando ambientes para implantação](/actions/deployment/using-environments-for-deployment)". Para obter informações sobre como revisar implantações com a API REST, consulte "[Execuções de fluxo de trabalho](/rest/reference/actions#workflow-runs)".
## Aprovar ou rejeitar um trabalho
diff --git a/translations/pt-BR/content/actions/monitoring-and-troubleshooting-workflows/about-monitoring-and-troubleshooting.md b/translations/pt-BR/content/actions/monitoring-and-troubleshooting-workflows/about-monitoring-and-troubleshooting.md
index c18df93d61..58e7f7ec59 100644
--- a/translations/pt-BR/content/actions/monitoring-and-troubleshooting-workflows/about-monitoring-and-troubleshooting.md
+++ b/translations/pt-BR/content/actions/monitoring-and-troubleshooting-workflows/about-monitoring-and-troubleshooting.md
@@ -22,8 +22,6 @@ miniTocMaxHeadingLevel: 3
{% endif %}
-{% ifversion fpt or ghae or ghes > 3.0 or ghec %}
-
### Usar o gráfico de visualização
Cada execução de fluxo de trabalho gera um gráfico em tempo real que ilustra o progresso da execução. Você pode usar este gráfico para monitorar e depurar fluxos de trabalho. Por exemplo:
@@ -32,8 +30,6 @@ Cada execução de fluxo de trabalho gera um gráfico em tempo real que ilustra
Para obter mais informações, consulte "[Usar o gráfico de visualização](/actions/monitoring-and-troubleshooting-workflows/using-the-visualization-graph)".
-{% endif %}
-
### Adicionar um selo de status de fluxo de trabalho
{% data reusables.repositories.actions-workflow-status-badge-intro %}
diff --git a/translations/pt-BR/content/actions/publishing-packages/publishing-docker-images.md b/translations/pt-BR/content/actions/publishing-packages/publishing-docker-images.md
index 4b4fa64619..0f53c5bb72 100644
--- a/translations/pt-BR/content/actions/publishing-packages/publishing-docker-images.md
+++ b/translations/pt-BR/content/actions/publishing-packages/publishing-docker-images.md
@@ -155,10 +155,10 @@ on:
jobs:
push_to_registry:
name: Push Docker image to GitHub Packages
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- name: Check out the repo
uses: {% data reusables.actions.action-checkout %}
@@ -205,10 +205,10 @@ on:
jobs:
push_to_registries:
name: Push Docker image to multiple registries
- runs-on: {% ifversion ghes %}[self-hosted]{% else %}ubuntu-latest{% endif %}{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: {% ifversion ghes %}[self-hosted]{% else %}ubuntu-latest{% endif %}
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- name: Check out the repo
uses: {% data reusables.actions.action-checkout %}
diff --git a/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-gradle.md b/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-gradle.md
index 5367108967..a6230b0338 100644
--- a/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-gradle.md
+++ b/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-gradle.md
@@ -154,10 +154,10 @@ on:
types: [created]
jobs:
publish:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
contents: read
- packages: write {% endif %}
+ packages: write
steps:
- uses: {% data reusables.actions.action-checkout %}
- uses: {% data reusables.actions.action-setup-java %}
@@ -175,7 +175,7 @@ jobs:
```
{% data reusables.actions.gradle-workflow-steps %}
-1. Executa a ação [`grades/gradle-build-action`](https://github.com/gradle/gradle-build-action) com o argumento `publicar` para publicar em {% data variables.product.prodname_registry %}. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}A chave de `permissões` especifica o acesso que o segredo `GITHUB_TOKEN` permitirá.{% endif %}
+1. Executa a ação [`grades/gradle-build-action`](https://github.com/gradle/gradle-build-action) com o argumento `publicar` para publicar em {% data variables.product.prodname_registry %}. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. A chave `permissões` especifica o acesso que o segredo `GITHUB_TOKEN` permitirá.
Para obter mais informações sobre o uso de segredos no seu fluxo de trabalho, consulte "[Criando e usando segredos encriptados](/actions/automating-your-workflow-with-github-actions/creating-and-using-encrypted-secrets)".
@@ -232,10 +232,10 @@ on:
types: [created]
jobs:
publish:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
contents: read
- packages: write {% endif %}
+ packages: write
steps:
- uses: {% data reusables.actions.action-checkout %}
- name: Set up Java
@@ -256,6 +256,6 @@ jobs:
```
{% data reusables.actions.gradle-workflow-steps %}
-1. Executa a ação [`grades/gradle-build`](https://github.com/gradle/gradle-build-action) com o argumento `publicar` para publicar no repositório do Maven `OSSRH` e em {% data variables.product.prodname_registry %}. A variável de ambiente `MAVEN_USERNAME` será definida com o conteúdo do seu segredo `OSSRH_USERNAME`, e a variável de ambiente `MAVEN_PASSWORD` será definida com o conteúdo do seu segredo `OSSRH_TOKEN`. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}A chave de `permissões` especifica o acesso que o segredo `GITHUB_TOKEN` permitirá.{% endif %}
+1. Executa a ação [`grades/gradle-build`](https://github.com/gradle/gradle-build-action) com o argumento `publicar` para publicar no repositório do Maven `OSSRH` e em {% data variables.product.prodname_registry %}. A variável de ambiente `MAVEN_USERNAME` será definida com o conteúdo do seu segredo `OSSRH_USERNAME`, e a variável de ambiente `MAVEN_PASSWORD` será definida com o conteúdo do seu segredo `OSSRH_TOKEN`. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. A chave `permissões` especifica o acesso que o segredo `GITHUB_TOKEN` permitirá.
Para obter mais informações sobre o uso de segredos no seu fluxo de trabalho, consulte "[Criando e usando segredos encriptados](/actions/automating-your-workflow-with-github-actions/creating-and-using-encrypted-secrets)".
diff --git a/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-maven.md b/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-maven.md
index 9bee1b0548..681efe6079 100644
--- a/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-maven.md
+++ b/translations/pt-BR/content/actions/publishing-packages/publishing-java-packages-with-maven.md
@@ -73,7 +73,6 @@ Com esta configuração, é possível criar um fluxo de trabalho que publique se
Na etapa de implementação, você deverá definir as variáveis de ambiente para o nome de usuário com o qual deseja fazer a autenticação no repositório e para um segredo que você configurou com a senha ou token para autenticação. Para obter mais informações, consulte "[Criando e usando segredos encriptados](/github/automating-your-workflow-with-github-actions/creating-and-using-encrypted-secrets)".
-
```yaml{:copy}
name: Publish package to the Maven Central Repository
on:
@@ -143,10 +142,10 @@ on:
types: [created]
jobs:
publish:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
contents: read
- packages: write {% endif %}
+ packages: write
steps:
- uses: {% data reusables.actions.action-checkout %}
- uses: {% data reusables.actions.action-setup-java %}
@@ -180,10 +179,10 @@ on:
types: [created]
jobs:
publish:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
contents: read
- packages: write {% endif %}
+ packages: write
steps:
- uses: {% data reusables.actions.action-checkout %}
- name: Set up Java for publishing to Maven Central Repository
diff --git a/translations/pt-BR/content/actions/publishing-packages/publishing-nodejs-packages.md b/translations/pt-BR/content/actions/publishing-packages/publishing-nodejs-packages.md
index f4208f345a..fe4d0d6280 100644
--- a/translations/pt-BR/content/actions/publishing-packages/publishing-nodejs-packages.md
+++ b/translations/pt-BR/content/actions/publishing-packages/publishing-nodejs-packages.md
@@ -128,10 +128,10 @@ on:
types: [created]
jobs:
build:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
contents: read
- packages: write {% endif %}
+ packages: write
steps:
- uses: {% data reusables.actions.action-checkout %}
# Setup .npmrc file to publish to GitHub Packages
diff --git a/translations/pt-BR/content/actions/security-guides/automatic-token-authentication.md b/translations/pt-BR/content/actions/security-guides/automatic-token-authentication.md
index d41fdf7c18..e3e0f778be 100644
--- a/translations/pt-BR/content/actions/security-guides/automatic-token-authentication.md
+++ b/translations/pt-BR/content/actions/security-guides/automatic-token-authentication.md
@@ -31,13 +31,11 @@ O token também está disponível no contexto `github.token`. Para obter mais in
Você pode usar o `GITHUB_TOKEN` ao usar a sintaxe padrão para fazer referência a segredos: {%raw%}`${{ secrets.GITHUB_TOKEN }}`{% endraw %}. Exemplos de uso do `GITHUB_TOKEN` incluem passar o token como uma entrada para uma ação ou usá-lo para fazer uma solicitação da API de {% ifversion fpt or ghec %}{% data variables.product.prodname_dotcom %}{% else %}{% data variables.product.product_name %}{% endif %} autenticada.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% note %}
**Importante:** Uma ação pode acessar o `GITHUB_TOKEN` por meio do contexto `github.token`, mesmo que o fluxo de trabalho não passe explicitamente o `GITHUB_TOKEN` para a ação. Como uma boa prática de segurança, você deve sempre certificar-se de que as ações só têm o acesso mínimo necessário limitando as permissões concedidas ao `GITHUB_TOKEN`. Para obter mais informações, consulte "[Permissões para o `GITHUB_TOKEN`](#permissions-for-the-github_token)".
{% endnote %}
-{% endif %}
{% data reusables.actions.actions-do-not-trigger-workflows %}
@@ -56,9 +54,9 @@ on: [ push ]
jobs:
create_commit:
- runs-on: ubuntu-latest {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
- issues: write {% endif %}
+ issues: write
steps:
- name: Create issue using REST API
run: |
@@ -77,7 +75,6 @@ jobs:
Para obter informações sobre quais os pontos de extremidade da API de {% data variables.product.prodname_github_apps %} podem acessar com cada permissão, consulte "[Permissões de {% data variables.product.prodname_github_app %}](/rest/reference/permissions-required-for-github-apps)."
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
A tabela a seguir mostra as permissões concedidas ao `GITHUB_TOKEN` por padrão. As pessoas com permissões de administrador para uma empresa, organização ou repositório de {% ifversion not ghes %}{% else %}organização ou repositório{% endif %} pode definir as permissões padrão como permissivas ou restritas. Para informações sobre como definir as permissões padrão para o `GITHUB_TOKEN` para a sua empresa, organização ou repositório, consulte "[Aplicando políticas para {% data variables.product.prodname_actions %} na sua empresa](/admin/policies/enforcing-policies-for-your-enterprise/enforcing-github-actions-policies-for-your-enterprise#enforcing-a-policy-for-workflow-permissions-in-your-enterprise), "[Desabilitando ou limitando {% data variables.product.prodname_actions %} para sua organização](/github/setting-up-and-managing-organizations-and-teams/disabling-or-limiting-github-actions-for-your-organization#setting-the-permissions-of-the-github_token-for-your-organization), ou "[Gerenciando configurações do {% data variables.product.prodname_actions %} para um repositório](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#setting-the-permissions-of-the-github_token-for-your-repository)."
| Escopo | Acesso padrão (permissivo) | Acesso padrão (restrito) | Acesso máximo por repositórios bifurcados |
@@ -95,24 +92,9 @@ A tabela a seguir mostra as permissões concedidas ao `GITHUB_TOKEN` por padrão
| pages | read/write | none | read |
{%- endif %}
| pull-requests | read/write | none | read | | repository-projects | read/write | none | read | | security-events | read/write | none | read | | statuses | read/write | none | read |
-{% else %}
-| Escopo | Tipo de acesso | Acesso pelos repositórios bifurcados |
-| ------------------- | ---------------- | ------------------------------------ |
-| ações | leitura/gravação | leitura |
-| Verificações | leitura/gravação | leitura |
-| Conteúdo | leitura/gravação | leitura |
-| Implantações | leitura/gravação | leitura |
-| Problemas | leitura/gravação | leitura |
-| metadados | leitura | leitura |
-| pacotes | leitura/gravação | leitura |
-| pull-requests | leitura/gravação | leitura |
-| repository-projects | leitura/gravação | leitura |
-| Status | leitura/gravação | leitura |
-{% endif %}
{% data reusables.actions.workflow-runs-dependabot-note %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### Modificar as permissões para o `GITHUB_TOKEN`
Você pode modificar as permissões para o `GITHUB_TOKEN` nos arquivos de fluxo de trabalho individuais. Se as permissões padrão para o `GITHUB_TOKEN` forem restritivas, você poderá ter que elevar as permissões para permitir que algumas ações e comandos sejam executados com sucesso. Se as permissões padrão forem permissivas, você poderá editar o arquivo do fluxo de trabalho para remover algumas permissões do `GITHUB_TOKEN`. Como uma boa prática de segurança, você deve conceder ao `GITHUB_TOKEN` o acesso menos necessário.
@@ -132,7 +114,6 @@ Para obter detalhes completos sobre a chave de `permissões`, consulte "[Sintaxe
As permissões para o `GITHUB_TOKEN` são inicialmente definidas como a configuração padrão para a empresa, organização ou repositório. Se o padrão for definido como permissões restritas em qualquer um desses níveis, isso irá aplicar-se aos repositórios relevantes. Por exemplo, Se você escolher o padrão restrito no nível da organização, todos os repositórios nessa organização usarão as permissões restritas como padrão. As permissões serão, então, ajustadas com base em qualquer configuração dentro do arquivo de fluxo de trabalho, primeiro no nível de fluxo de trabalho e, em seguida, no nível de trabalho. Por fim, se o fluxo de trabalho foi acionado por um pull request de um repositório bifurcado, e a configuração **Enviar tokens de gravação para fluxos de trabalho de pull requests** não estiver selecionada, as permissões serão ajustadas para alterar qualquer permissão de gravação para somente leitura.
### Conceder permissões adicionais
-{% endif %}
Se você precisa de um token que exige premissões que não estão disponíveis no `GITHUB_TOKEN`, é possível criar um token de acesso pessoal e configurá-lo como um segredo no repositório:
diff --git a/translations/pt-BR/content/actions/security-guides/security-hardening-for-github-actions.md b/translations/pt-BR/content/actions/security-guides/security-hardening-for-github-actions.md
index dc6031f298..4363ea8251 100644
--- a/translations/pt-BR/content/actions/security-guides/security-hardening-for-github-actions.md
+++ b/translations/pt-BR/content/actions/security-guides/security-hardening-for-github-actions.md
@@ -40,8 +40,8 @@ Para ajudar a prevenir a divulgação acidental, o {% data variables.product.pro
- Audite como os segredos são usados, para ajudar a garantir que estejam sendo tratados conforme o esperado. Você pode fazer isso revisando o código-fonte do repositório que executa o fluxo de trabalho e verificando quaisquer ações usadas no fluxo de trabalho. Por exemplo, verifique se eles não são enviados para hosts não pretendidos, ou impressos explicitamente na saída de um registro.
- Visualize os registros de execução do seu fluxo de trabalho depois de testar entradas válidas/inválidas e, em seguida, verifique se os segredos estão sendo editados corretamente ou não são mostrados. Nem sempre é sempre óbvio como um comando ou ferramenta que você está invocando irá enviar erros para `STDOUT` e `STDERR`, e os segredos podem depois acabar em registros de erro. Como resultado, considera-se uma boa prática rever manualmente os registros do fluxo de trabalho depois de testar entradas válidas e inválidas.
- **Use as credenciais que tenham escopos mínimos**
- - Certifique-se de que as credenciais usadas nos fluxos de trabalho têm o menor privilégio necessário e esteja ciente de que qualquer usuário com acesso de gravação ao repositório terá acesso de leitura a todos os segredos configurados no seu repositório. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- - As ações podem usar o `GITHUB_TOKEN` acessando-o no contexto do `github.token`. Para obter mais informações, consulte "[Contextos](/actions/learn-github-actions/contexts#github-context)". Portanto, você deve certificar-se de que o `GITHUB_TOKEN` tenha as permissões mínimas necessárias. É uma prática de segurança recomendada definir a permissão-padrão para o `GITHUB_TOKEN` para ler apenas os conteúdos do repositório. As permissões podem ser aumentadas, conforme necessário, para tarefas individuais dentro do arquivo do fluxo de trabalho. Para obter mais informações, consulte "[Autenticação em um fluxo de trabalho](/actions/reference/authentication-in-a-workflow#permissions-for-the-github_token)". {% endif %}
+ - Certifique-se de que as credenciais usadas nos fluxos de trabalho têm o menor privilégio necessário e esteja ciente de que qualquer usuário com acesso de gravação ao repositório terá acesso de leitura a todos os segredos configurados no seu repositório.
+ - As ações podem usar o `GITHUB_TOKEN` acessando-o no contexto do `github.token`. Para obter mais informações, consulte "[Contextos](/actions/learn-github-actions/contexts#github-context)". Portanto, você deve certificar-se de que o `GITHUB_TOKEN` tenha as permissões mínimas necessárias. É uma prática de segurança recomendada definir a permissão-padrão para o `GITHUB_TOKEN` para ler apenas os conteúdos do repositório. As permissões podem ser aumentadas, conforme necessário, para tarefas individuais dentro do arquivo do fluxo de trabalho. Para obter mais informações, consulte "[Autenticação em um fluxo de trabalho](/actions/reference/authentication-in-a-workflow#permissions-for-the-github_token)".
- **Audite e gire os segredos registrados**
- Reveja, periodicamente, os segredos registrados para confirmar se ainda são necessários. Remova aqueles que não são mais necessários.
- Gire os segredos periodicamente para reduzir a janela de tempo durante a qual um segredo comprometido é válido.
@@ -179,8 +179,6 @@ Você pode ajudar a mitigar esse risco seguindo estas boas práticas:
Fixar uma ação para um commit SHA de comprimento completo é, atualmente, a única maneira de usar uma ação como uma versão imutável. Fixar um SHA em particular ajuda a mitigar o risco de um ator malicioso adicionar uma porta traseira ao repositório da ação, porque precisariam gerar uma colisão de SHA-1 para uma carga válida do objeto de Git.
-
-
* **Audite o código-fonte da ação**
Certifique-se de que a ação está tratando o conteúdo do seu repositório e os segredos, como esperado. Por exemplo, verifique se os segredos não são enviados para os hosts não intencionais, ou se não são registrados inadvertidamente.
@@ -249,14 +247,14 @@ O servidor invasor pode usar A API de {% ifversion fpt or ghec %}{% data variabl
## Considerar acesso entre repositórios
-O {% data variables.product.prodname_actions %} tem um escopo intencional para um único repositório por vez. O `GITHUB_TOKEN` concede o mesmo nível de acesso que um usuário com acesso de gravação, porque qualquer usuário com acesso de gravação pode acessar esse token criando ou modificando um arquivo de fluxo de trabalho{% ifversion fpt or ghes > 3.1 or ghae or ghec %}, elevando as permissões do `GITHUB_TOKEN` se necessário{% endif %}. Usuários têm permissões específicas para cada repositório. Portanto, permitir que o `GITHUB_TOKEN` de um repositório conceda acesso a outro teria impacto no modelo de permissão de {% data variables.product.prodname_dotcom %} se não fosse implementado cuidadosamente. Da mesma forma, deve-se ter cuidado ao adicionar tokens de autenticação de {% data variables.product.prodname_dotcom %} a um fluxo de trabalho, porque isto também pode afetar o modelo de permissão de {% data variables.product.prodname_dotcom %} concedendo inadvertidamente amplo acesso aos colaboradores.
+O {% data variables.product.prodname_actions %} tem um escopo intencional para um único repositório por vez. O `GITHUB_TOKEN` concede o mesmo nível de acesso que um usuário com acesso de gravação, porque qualquer usuário com acesso de escrita pode acessar esse token criando ou modificando um arquivo de fluxo de trabalho, elevando as permissões do `GITHUB_TOKEN`, se necessário. Usuários têm permissões específicas para cada repositório. Portanto, permitir que o `GITHUB_TOKEN` de um repositório conceda acesso a outro teria impacto no modelo de permissão de {% data variables.product.prodname_dotcom %} se não fosse implementado cuidadosamente. Da mesma forma, deve-se ter cuidado ao adicionar tokens de autenticação de {% data variables.product.prodname_dotcom %} a um fluxo de trabalho, porque isto também pode afetar o modelo de permissão de {% data variables.product.prodname_dotcom %} concedendo inadvertidamente amplo acesso aos colaboradores.
Temos [ um plano no roteiro de {% data variables.product.prodname_dotcom %}](https://github.com/github/roadmap/issues/74) para suportar um fluxo que permite o acesso de todos os repositórios em {% data variables.product.product_name %}, embora ainda não seja um recurso compatível. Atualmente, a única maneira de executar interações privilegiadas entre repositórios é colocar um token de autenticação do {% data variables.product.prodname_dotcom %} ou chave SSH como um segredo dentro do fluxo de trabalho. Uma vez que muitos tipos de token de autenticação não permitem acesso granular a recursos específicos, há um risco significativo no uso do tipo incorreto de token, pois ele pode conceder acesso muito mais amplo do que o pretendido.
Esta lista descreve as abordagens recomendadas para acessar os dados do repositório dentro de um fluxo de trabalho, em ordem decrescente de preferência:
1. **O `GITHUB_TOKEN`**
- - Este token recebe intencionalmente o escopo para o único repositório que invocou o fluxo de trabalho, e {% ifversion fpt or ghes > 3.1 or ghae or ghec %}pode ter {% else %}tem {% endif %}o mesmo nível de acesso que um usuário de acesso de gravação no repositório. O token é criado antes de cada trabalho começar e expira quando o trabalho é finalizado. Para obter mais informações, consulte "[Autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
+ - Este token recebe intencionalmente o escopo para o único repositório que invocou o fluxo de trabalho e pode ter tem o mesmo nível de acesso que um usuário de acesso de gravação no repositório. O token é criado antes de cada trabalho começar e expira quando o trabalho é finalizado. Para obter mais informações, consulte "[Autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
- O `GITHUB_TOKEN` deve ser usado sempre que possível.
2. **Chave de implantação do repositório**
- Chaves de implantação são um dos únicos tipos de credenciais que concedem acesso de leitura ou gravação a um único repositório, e podem ser usadas para interagir com outro repositório dentro de um fluxo de trabalho. Para obter mais informações, consulte "[Gerenciar chaves de implantação](/developers/overview/managing-deploy-keys#deploy-keys)".
@@ -277,7 +275,7 @@ Os executores ** hospedados em {% data variables.product.prodname_dotcom %}** ex
{% ifversion fpt or ghec %}**Auto-hospedados**{% elsif ghes or ghae %}Auto-hospedados{% endif %} executores para {% data variables.product.product_name %} não tem garantias para serem executados em máquinas virtuais efêmeas limpas, e podem ser comprometidos persistentemente por um código não confiável em um fluxo de trabalho.
-{% ifversion fpt or ghec %}Como resultado, os executores auto-hospedados quase [nunca devem ser usados para repositórios públicos](/actions/hosting-your-own-runners/about-self-hosted-runners#self-hosted-runner-security-with-public-repositories) em {% data variables.product.product_name %}, porque qualquer usuário pode abrir pull requests contra o repositório e comprometer o ambiente. Da mesma forma,{% elsif ghes or ghae %}Tenha{% endif %} cuidado ao usar executores auto-hospedados em repositórios privados ou internos, como qualquer pessoa que puder bifurcar o repositório e abrir um pull request (geralmente aqueles com acesso de leitura ao repositório) são capazes de comprometer o ambiente de runner auto-hospedado. incluindo obter acesso a segredos e o `GITHUB_TOKEN` que{% ifversion fpt or ghes > 3.1 or ghae or ghec %}, dependendo de suas configurações, pode conceder ao {% else %} concede ao repositório {% endif %}acesso de gravação. Embora os fluxos de trabalho possam controlar o acesso a segredos de ambiente usando os ambientes e revisões necessários, estes fluxos de trabalho não são executados em um ambiente isolado e continuam sendo susceptíveis aos mesmos riscos quando são executados por um executor auto-hospedado.
+{% ifversion fpt or ghec %}Como resultado, os executores auto-hospedados quase [nunca devem ser usados para repositórios públicos](/actions/hosting-your-own-runners/about-self-hosted-runners#self-hosted-runner-security-with-public-repositories) em {% data variables.product.product_name %}, porque qualquer usuário pode abrir pull requests contra o repositório e comprometer o ambiente. Da mesma forma,{% elsif ghes or ghae %}Seja{% endif %} tenha cuidado ao usar executores auto-hospedados em repositórios privados ou internos, como qualquer pessoa que possa fazer bifurcação do repositório e abrir um pull request (geralmente aqueles com acesso de leitura ao repositório) podem comprometer o ambiente do executor auto-hospedado, incluindo obter acesso a segredos e o `GITHUB_TOKEN` que, dependendo de suas configurações, pode conceder acesso de gravação ao repositório. Embora os fluxos de trabalho possam controlar o acesso a segredos de ambiente usando os ambientes e revisões necessários, estes fluxos de trabalho não são executados em um ambiente isolado e continuam sendo susceptíveis aos mesmos riscos quando são executados por um executor auto-hospedado.
Quando um executor auto-hospedado é definido no nível da organização ou empresa, {% data variables.product.product_name %} pode programar fluxos de trabalho de vários repositórios para o mesmo executor. Consequentemente, um compromisso de segurança destes ambientes pode ter um grande impacto. Para ajudar a reduzir o escopo de um compromisso, você pode criar limites organizando seus executores auto-hospedados em grupos separados. Você pode restringir quais fluxos de trabalho {% ifversion restrict-groups-to-workflows %}, organizações {% endif %}e repositórios podem acessar grupos de executores. Para obter mais informações, consulte "[Gerenciando acesso a runners auto-hospedados usando grupos](/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups)".
@@ -348,21 +346,21 @@ As tabelas a seguir descrevem os eventos de {% data variables.product.prodname_a
| ----------------------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| `enterprise.register_self_hosted_runner` | Acionada quando um novo executor auto-hospedado é registrado. Para obter mais informações, consulte "[Adicionar um executor auto-hospedado a uma empresa](/actions/hosting-your-own-runners/adding-self-hosted-runners#adding-a-self-hosted-runner-to-an-enterprise)". |
| `enterprise.remove_self_hosted_runner` | Acionada quando um executor auto-hospedado é removido. |
-| `enterprise.runner_group_runners_updated` | Acionada quando a lista de membros do grupo do executor é atualizada. Para obter mais informações, consulte "[Definir executores auto-hospedados em um grupo para uma organização](/rest/reference/actions#set-self-hosted-runners-in-a-group-for-an-organization).{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `enterprise.runner_group_runners_updated` | Acionada quando a lista de membros do grupo do executor é atualizada. Para obter mais informações, consulte "[Definir executores auto-hospedados em um grupo para uma organização](/rest/reference/actions#set-self-hosted-runners-in-a-group-for-an-organization)". |
| `enterprise.self_hosted_runner_online` | Acionada quando o aplicativo do executor é iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
-| `enterprise.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)".{% endif %}
+| `enterprise.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
| `enterprise.self_hosted_runner_updated` | Acionada quando o executor é atualizado. Pode ser visualizado usando a API REST e a interface do usuário. Este evento não está incluído quando você exportar o log de auditoria como dados JSON ou um arquivo CSV. Para obter mais informações, consulte "[Sobre executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)" e "[Revisar o log de auditoria para a sua organização](/organizations/keeping-your-organization-secure/reviewing-the-audit-log-for-your-organization#exporting-the-audit-log)". |
| `org.register_self_hosted_runner` | Acionada quando um novo executor auto-hospedado é registrado. Para obter mais informações, consulte "[Adicionar um executor auto-hospedado a uma organização](/actions/hosting-your-own-runners/adding-self-hosted-runners#adding-a-self-hosted-runner-to-an-organization)". |
| `org.remove_self_hosted_runner` | Acionada quando um executor auto-hospedado é removido. Para obter mais informações, consulte [Remover um executor de uma organização](/actions/hosting-your-own-runners/removing-self-hosted-runners#removing-a-runner-from-an-organization). |
| `org.runner_group_runners_updated` | Acionada quando a lista de integrantes do grupo de executor é atualizada. Para obter mais informações, consulte "[Definir executores auto-hospedados em um grupo para uma organização](/rest/reference/actions#set-self-hosted-runners-in-a-group-for-an-organization)". |
-| `org.runner_group_updated` | Acionada quando a configuração de um grupo de executor auto-hospedado é alterada. Para obter mais informações, consulte "[Alterar a política de acesso de um grupo de executor auto-hospedado](/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups#changing-the-access-policy-of-a-self-hosted-runner-group)".{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `org.runner_group_updated` | Acionada quando a configuração de um grupo de executor auto-hospedado é alterada. Para obter mais informações, consulte "[Alterar a política de acesso de um grupo de executores auto-hospedados](/actions/hosting-your-own-runners/managing-access-to-self-hosted-runners-using-groups#changing-the-access-policy-of-a-self-hosted-runner-group)". |
| `org.self_hosted_runner_online` | Acionada quando o aplicativo do executor é iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
-| `org.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)".{% endif %}
+| `org.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
| `org.self_hosted_runner_updated` | Acionada quando o executor é atualizado. Pode ser visto usando a API REST e a interface do usuário; não visível na exportação de JSON/CSV. Para obter mais informações, consulte "[Sobre os executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)." |
| `repo.register_self_hosted_runner` | Acionada quando um novo executor auto-hospedado é registrado. Para obter mais informações, consulte "[Adicionar um executor auto-hospedado a um repositório](/actions/hosting-your-own-runners/adding-self-hosted-runners#adding-a-self-hosted-runner-to-a-repository). ". |
-| `repo.remove_self_hosted_runner` | Acionada quando um executor auto-hospedado é removido. Para obter mais informações, consulte "[Remover um executor de um repositório](/actions/hosting-your-own-runners/removing-self-hosted-runners#removing-a-runner-from-a-repository)."{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `repo.remove_self_hosted_runner` | Acionada quando um executor auto-hospedado é removido. Para obter mais informações, consulte "[Remover um executor de um repositório](/actions/hosting-your-own-runners/removing-self-hosted-runners#removing-a-runner-from-a-repository)". |
| `repo.self_hosted_runner_online` | Acionada quando o aplicativo do executor é iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
-| `repo.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)".{% endif %}
+| `repo.self_hosted_runner_offline` | Acionada quando o aplicativo do executor é interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". |
| `repo.self_hosted_runner_updated` | Acionada quando o executor é atualizado. Pode ser visto usando a API REST e a interface do usuário; não visível na exportação de JSON/CSV. Para obter mais informações, consulte "[Sobre os executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)." |
### Eventos para grupos de executores auto-hospedados
diff --git a/translations/pt-BR/content/actions/using-workflows/triggering-a-workflow.md b/translations/pt-BR/content/actions/using-workflows/triggering-a-workflow.md
index fcef325d06..ff73c318f2 100644
--- a/translations/pt-BR/content/actions/using-workflows/triggering-a-workflow.md
+++ b/translations/pt-BR/content/actions/using-workflows/triggering-a-workflow.md
@@ -184,7 +184,7 @@ Para obter mais informações sobre os contextos, consulte "[Contextos](/actions
## Controlando ainda mais como seu fluxo de trabalho será executado
-Se você quiser mais controle granular do que os eventos, tipos de atividade do evento ou filtros de evento fornecem, você poderá usar condicionais{% ifversion fpt or ghae or ghes > 3.1 or ghec %} e ambientes{% endif %} para controlar se os trabalhos ou etapas individuais no seu fluxo de trabalho serão executados.
+Se você quiser mais controle granular do que os eventos, tipos de atividade do evento ou filtros de evento fornecem, você poderá usar condicionais e ambientes para controlar se os trabalhos ou etapas individuais no seu fluxo de trabalho serão executados.
### Usando condicionais
@@ -237,8 +237,6 @@ jobs:
Para obter mais informações sobre quais informações estão disponíveis no contexto do evento, consulte "[Usando informações do evento](#using-event-information)". Para obter mais informações sobre como usar condicionais, consulte "[Expressões](/actions/learn-github-actions/expressions)".
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
-
### Usando ambientes para acionar trabalhos de fluxo de trabalho manualmente
Se você quiser acionar manualmente uma tarefa específica em um fluxo de trabalho, você pode usar um ambiente que exige a aprovação de uma equipe ou usuário específico. Primeiro, configure um ambiente com os revisores necessários. Para obter mais informações, consulte "[Usando ambientes para implantação](/actions/deployment/targeting-different-environments/using-environments-for-deployment)". Em seguida, faça referência ao nome do ambiente em um trabalho no seu fluxo de trabalho usando o a chave `environment:`. Qualquer trabalho que faz referência ao ambiente não será executado até que pelo menos um revisor aprove o trabalho.
@@ -272,7 +270,6 @@ jobs:
{% data reusables.gated-features.environments %}
{% endnote %}
-{% endif %}
## Eventos disponíveis
diff --git a/translations/pt-BR/content/actions/using-workflows/workflow-syntax-for-github-actions.md b/translations/pt-BR/content/actions/using-workflows/workflow-syntax-for-github-actions.md
index 0b1bea324c..88fa0efded 100644
--- a/translations/pt-BR/content/actions/using-workflows/workflow-syntax-for-github-actions.md
+++ b/translations/pt-BR/content/actions/using-workflows/workflow-syntax-for-github-actions.md
@@ -174,13 +174,10 @@ Um booleano que especifica se o segredo deve ser fornecido.
{% data reusables.actions.workflow-dispatch-inputs %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## `permissões`
{% data reusables.actions.jobs.section-assigning-permissions-to-jobs %}
-{% endif %}
-
## `env`
Um `mapa` das variáveis de ambiente que estão disponíveis para as etapas de todos os trabalhos do fluxo de trabalho. Também é possível definir variáveis de ambiente que estão disponíveis apenas para as etapas de um único trabalho ou para uma única etapa. Para obter mais informações, consulte [`jobs..env`](#jobsjob_idenv) e [`jobs..steps[*].env`](#jobsjob_idstepsenv).
@@ -204,12 +201,10 @@ env:
{% data reusables.actions.jobs.setting-default-values-for-jobs-defaults-run %}
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
## `concorrência`
{% data reusables.actions.jobs.section-using-concurrency %}
-{% endif %}
## `jobs`
{% data reusables.actions.jobs.section-using-jobs-in-a-workflow %}
@@ -222,13 +217,10 @@ env:
{% data reusables.actions.jobs.section-using-jobs-in-a-workflow-name %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### `jobs..permissions`
{% data reusables.actions.jobs.section-assigning-permissions-to-jobs-specific %}
-{% endif %}
-
## `jobs..needs`
{% data reusables.actions.jobs.section-using-jobs-in-a-workflow-needs %}
@@ -245,12 +237,10 @@ env:
{% data reusables.actions.jobs.section-using-environments-for-jobs %}
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
## `jobs..concurrency`
{% data reusables.actions.jobs.section-using-concurrency-jobs %}
-{% endif %}
## `jobs..outputs`
{% data reusables.actions.jobs.section-defining-outputs-for-jobs %}
@@ -630,8 +620,8 @@ Para informações sobre o software incluído nos executores hospedados no GitHu
Para palavras-chave de shell integradas, fornecemos os seguintes padrões usados por executores hospedados no {% data variables.product.prodname_dotcom %}. Você deve seguir estas diretrizes quando executar scripts shell.
- `bash`/`sh`:
- - Comportamento de falha rápido que usa `set -eo pipefail`: Padrão para `bash` e `shell` embutido. Também é o padrão quando você não der opção em plataformas que não sejam Windows.
- - Você pode cancelar o fail-fast e assumir o controle fornecendo uma string de modelo para as opções do shell. Por exemplo, `bash {0}`.
+ - Comportamento de falha rápida usando `set -eo pipefail`: Essa opção é definida quando `shell: bash` é especificado explicitamente. Não é aplicado por padrão.
+ - Você pode assumir controle total sobre os parâmetros do shell, fornecendo uma string de modelo para as opções de shell. Por exemplo, `bash {0}`.
- Shells do tipo sh saem com o código de saída do último comando executado em um script, que também é o comportamento padrão das ações. O executor relatará o status da etapa como falha/êxito com base nesse código de saída.
- `powershell`/`pwsh`
@@ -708,7 +698,7 @@ Define variáveis de ambiente para etapas a serem usadas no ambiente do executor
{% data reusables.repositories.actions-env-var-note %}
-Ações públicas podem especificar variáveis de ambiente esperadas no arquivo LEIAME. Se você está configurando um segredo em uma variável de ambiente, use o contexto `secrets`. Para obter mais informações, consulte "[Usando variáveis de ambiente](/actions/automating-your-workflow-with-github-actions/using-environment-variables)" e "[Contextos](/actions/learn-github-actions/contexts)".
+Ações públicas podem especificar variáveis de ambiente esperadas no arquivo README. Se você está configurando um segredo em uma variável de ambiente, use o contexto `secrets`. Para obter mais informações, consulte "[Usando variáveis de ambiente](/actions/automating-your-workflow-with-github-actions/using-environment-variables)" e "[Contextos](/actions/learn-github-actions/contexts)".
#### Exemplo
@@ -735,7 +725,7 @@ Número máximo de minutos para executar a etapa antes de interromper o processo
Número máximo de minutos para permitir a execução de um trabalho o antes que o {% data variables.product.prodname_dotcom %} o cancele automaticamente. Padrão: 360
-Se o tempo-limite exceder o tempo limite de execução do trabalho para o runner, o trabalho será cancelada quando o tempo limite de execução for atingido. Para obter mais informações sobre o limite de tempo de execução do trabalho, consulte {% ifversion fpt or ghec or ghes %}"[Limites de uso e cobrança](/actions/reference/usage-limits-billing-and-administration#usage-limits)" para executores hospedados em {% data variables.product.prodname_dotcom %} e {% endif %}"[Sobre executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners/#usage-limits){% ifversion fpt or ghec or ghes %}" para limites de uso de executores auto-hospedados.{% elsif ghae %}."{% endif %}
+Se o tempo-limite exceder o tempo limite de execução do trabalho para o executor, o trabalho será cancelado quando o tempo limite de execução for atingido. Para obter mais informações sobre o limite de tempo de execução do trabalho, consulte {% ifversion fpt or ghec or ghes %}"[Limites de uso e cobrança](/actions/reference/usage-limits-billing-and-administration#usage-limits)" para executores hospedados em {% data variables.product.prodname_dotcom %} e {% endif %}"[Sobre executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners/#usage-limits){% ifversion fpt or ghec or ghes %}" para limites de uso de executores auto-hospedados.{% elsif ghae %}."{% endif %}
{% note %}
diff --git a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-code-scanning-for-your-appliance.md b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-code-scanning-for-your-appliance.md
index 76439b1ba4..96c549f67c 100644
--- a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-code-scanning-for-your-appliance.md
+++ b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-code-scanning-for-your-appliance.md
@@ -53,7 +53,7 @@ Você deve garantir que o Git esteja na variável do PATH em qualquer executor a
{% ifversion ghes %}
Se você deseja usar ações para executar {% data variables.product.prodname_code_scanning %} em {% data variables.product.prodname_ghe_server %}, as ações deverão estar disponíveis no seu dispositivo.
-A ação {% data variables.product.prodname_codeql %} está incluída na sua instalação de {% data variables.product.prodname_ghe_server %}. If {% data variables.product.prodname_ghe_server %} {{ allVersions[currentVersion].currentRelease }} has access to the internet, the action will automatically download the {% data variables.product.prodname_codeql %} {% data variables.product.codeql_cli_ghes_recommended_version %} bundle required to perform analysis. Alternatively, you can use a synchronization tool to make the latest released version of the {% data variables.product.prodname_codeql %} analysis bundle available locally. Para obter mais informações, consulte "[Configurar {% data variables.product.prodname_codeql %} análise em um servidor sem acesso à internet](#configuring-codeql-analysis-on-a-server-without-internet-access)" abaixo.
+A ação {% data variables.product.prodname_codeql %} está incluída na sua instalação de {% data variables.product.prodname_ghe_server %}. If {% data variables.product.prodname_ghe_server %} {{ allVersions[currentVersion].currentRelease }} has access to the internet, the action will automatically download the {% data variables.product.prodname_codeql %} {% data variables.product.codeql_cli_ghes_recommended_version %} bundle required to perform analysis. Como alternativa, você pode usar uma ferramenta de sincronização para tornar a versão mais recente do pacote de análise de {% data variables.product.prodname_codeql %} disponível localmente. Para obter mais informações, consulte "[Configurar {% data variables.product.prodname_codeql %} análise em um servidor sem acesso à internet](#configuring-codeql-analysis-on-a-server-without-internet-access)" abaixo.
Você também pode disponibilizar ações de terceiros para os usuários de {% data variables.product.prodname_code_scanning %}, configurando {% data variables.product.prodname_github_connect %}. Para obter mais informações, consulte "[Configurar {% data variables.product.prodname_github_connect %} para sincronizar {% data variables.product.prodname_actions %}](/enterprise/admin/configuration/configuring-code-scanning-for-your-appliance#configuring-github-connect-to-sync-github-actions)" abaixo.
diff --git a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-secret-scanning-for-your-appliance.md b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-secret-scanning-for-your-appliance.md
index 8ca2c921cf..162786b9b5 100644
--- a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-secret-scanning-for-your-appliance.md
+++ b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/configuring-secret-scanning-for-your-appliance.md
@@ -57,7 +57,7 @@ O conjunto de instruções das SSSE3 é necessário porque o {% data variables.p
{% data reusables.enterprise_site_admin_settings.access-settings %}
{% data reusables.enterprise_site_admin_settings.management-console %}
{% data reusables.enterprise_management_console.advanced-security-tab %}
-1. Em "{% ifversion ghes < 3.2 %}{% data variables.product.prodname_advanced_security %}{% else %}Segurança{% endif %}", clique em **{% data variables.product.prodname_secret_scanning_caps %}**. 
+1. Em "Segurança", clique em **{% data variables.product.prodname_secret_scanning_caps %}**. 
{% data reusables.enterprise_management_console.save-settings %}
## Desabilitar {% data variables.product.prodname_secret_scanning %}
@@ -67,5 +67,5 @@ O conjunto de instruções das SSSE3 é necessário porque o {% data variables.p
{% data reusables.enterprise_site_admin_settings.access-settings %}
{% data reusables.enterprise_site_admin_settings.management-console %}
{% data reusables.enterprise_management_console.advanced-security-tab %}
-1. Em "{% ifversion ghes < 3.2 %}{% data variables.product.prodname_advanced_security %}{% else %}Segurança{% endif %}", desmarque **{% data variables.product.prodname_secret_scanning_caps %}**. 
+1. Em "Segurança", desmarque **{% data variables.product.prodname_secret_scanning_caps %}**. 
{% data reusables.enterprise_management_console.save-settings %}
diff --git a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/deploying-github-advanced-security-in-your-enterprise.md b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/deploying-github-advanced-security-in-your-enterprise.md
index d8876cef61..f99c0aa567 100644
--- a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/deploying-github-advanced-security-in-your-enterprise.md
+++ b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/deploying-github-advanced-security-in-your-enterprise.md
@@ -272,7 +272,7 @@ O GitHub ajuda você a evitar o uso de software de terceiros que contém vulnera
| Ferramenta Gerenciamento de Dependência | Descrição |
| ---------------------------------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| Alertas de Dependabot | Você pode acompanhar as dependências do seu repositório e receber alertas de dependências do Dependabot quando sua empresa detectar dependências inseguras. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/managing-vulnerabilities-in-your-projects-dependencies/about-alerts-for-vulnerable-dependencies)". |
-| Gráfico de Dependência | O gráfico de dependências é um resumo do manifesto e bloqueia arquivos armazenados em um repositório. Ele mostra os ecossistemas e pacotes dos quais a sua base de código depende (suas dependências) e os repositórios e pacotes que dependem do seu projeto (suas dependências). Para obter mais informações, consulte "[Sobre o gráfico de dependência](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph)". |{% ifversion ghes > 3.1 or ghec %}
+| Gráfico de Dependência | O gráfico de dependências é um resumo do manifesto e bloqueia arquivos armazenados em um repositório. Ele mostra os ecossistemas e pacotes dos quais a sua base de código depende (suas dependências) e os repositórios e pacotes que dependem do seu projeto (suas dependências). Para obter mais informações, consulte "[Sobre o gráfico de dependência](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph)". |{% ifversion ghes or ghec %}
| Revisão de Dependência | Se um pull request tiver alterações nas dependências, você poderá ver um resumo do que alterou e se há vulnerabilidades conhecidas em qualquer uma das dependências. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review)" ou "[Revisando as alterações de dependência em um pull requestl](/github/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request)". |{% endif %} {% ifversion ghec or ghes > 3.2 %}
| Atualizações de segurança do Dependabot | O dependabot pode corrigir dependências vulneráveis levantando pull requests com atualizações de segurança. Para obter mais informações, consulte "[Sobre atualizações de segurança do Dependabot](/code-security/supply-chain-security/managing-vulnerabilities-in-your-projects-dependencies/about-dependabot-security-updates)". |
| Atualizações da versão do Dependabot | O dependabot pode ser usado para manter os pacotes que você usa atualizados para as últimas versões. Para obter mais informações, consulte "[Sobre atualizações da versão do Dependabot](/code-security/supply-chain-security/keeping-your-dependencies-updated-automatically/about-dependabot-version-updates)". | {% endif %}
diff --git a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/enabling-github-advanced-security-for-your-enterprise.md b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/enabling-github-advanced-security-for-your-enterprise.md
index d822ef1be0..eec322de1e 100644
--- a/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/enabling-github-advanced-security-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/code-security/managing-github-advanced-security-for-your-enterprise/enabling-github-advanced-security-for-your-enterprise.md
@@ -57,8 +57,8 @@ Para obter orientação sobre uma implantação em fases da segurança avançada
{% data reusables.enterprise_site_admin_settings.access-settings %}
{% data reusables.enterprise_site_admin_settings.management-console %}
{% data reusables.enterprise_management_console.advanced-security-tab %}{% ifversion ghes %}
-1. Em "{% ifversion ghes < 3.2 %}{% data variables.product.prodname_advanced_security %}{% else %}Security{% endif %}", selecione as funcionalidades que você deseja habilitar e desmarque todos os recursos que deseja desabilitar.
-{% ifversion ghes > 3.1 %}{% else %}{% endif %}{% else %}
+1. Em "Segurança", selecione as funcionalidades que você deseja habilitar e desmarque todas as funcionalidades que deseja desabilitar.
+{% ifversion ghes %}{% else %}{% endif %}{% else %}
1. Em "{% data variables.product.prodname_advanced_security %}," clique em **{% data variables.product.prodname_code_scanning_capc %}**. {% endif %}
{% data reusables.enterprise_management_console.save-settings %}
@@ -82,8 +82,8 @@ Por exemplo, você pode habilitar qualquer recurso de {% data variables.product.
```shell
ghe-config app.secret-scanning.enabled true
```
- - Para habilitar o gráfico de dependência, digite o comando a seguir{% ifversion ghes > 3.1 %}{% else %}comandos{% endif %}.
- {% ifversion ghes > 3.1 %}```shell
+ - Para habilitar o gráfico de dependência, digite o comando a seguir{% ifversion ghes %}{% else %}comandos{% endif %}.
+ {% ifversion ghes %}```shell
ghe-config app.dependency-graph.enabled true
```
{% else %}```shell
@@ -101,8 +101,8 @@ Por exemplo, você pode habilitar qualquer recurso de {% data variables.product.
```shell
ghe-config app.secret-scanning.enabled false
```
- - Para desabilitar o gráfico de dependência, insira o seguinte {% ifversion ghes > 3.1 %}comando{% else %}comando{% endif %}.
- {% ifversion ghes > 3.1 %}```shell
+ - Para desabilitar o gráfico de dependência, insira o seguinte {% ifversion ghes %}comando{% else %}comando{% endif %}.
+ {% ifversion ghes %}```shell
ghe-config app.dependency-graph.enabled false
```
{% else %}```shell
diff --git a/translations/pt-BR/content/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise.md b/translations/pt-BR/content/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise.md
index 645aaff875..7a5d0ea9e0 100644
--- a/translations/pt-BR/content/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise.md
@@ -18,7 +18,7 @@ topics:
Depois de habilitar o gráfico de dependências para a sua empresa, você poderá habilitar {% data variables.product.prodname_dependabot %} para detectar dependências inseguras no seu repositório{% ifversion ghes > 3.2 %} e corrigir automaticamente as vulnerabilidades{% endif %}. Para obter mais informações, consulte "[Habilitar {% data variables.product.prodname_dependabot %} para a sua empresa](/admin/configuration/configuring-github-connect/enabling-dependabot-for-your-enterprise)."
-{% ifversion ghes > 3.1 %}
+{% ifversion ghes %}
Você pode habilitar o gráfico de dependências por meio do {% data variables.enterprise.management_console %} ou do shell administrativo. Recomendamos usar o {% data variables.enterprise.management_console %}, a menos que {% data variables.product.product_location %} use clustering.
## Habilitando o gráfico de dependências por meio do {% data variables.enterprise.management_console %}
@@ -35,12 +35,10 @@ Se o seu {% data variables.product.product_location %} usar clustering, você n
## Habilitando o gráfico de dependências por meio do shell administrativo
-{% endif %}{% ifversion ghes < 3.2 %}
-## Habilitar o gráfico de dependências
{% endif %}
{% data reusables.enterprise_site_admin_settings.sign-in %}
1. No shell administrativo, habilite o gráfico de dependências em {% data variables.product.product_location %}:
- {% ifversion ghes > 3.1 %}```shell
+ {% ifversion ghes %}```shell
ghe-config app.dependency-graph.enabled true
```
{% else %}```shell
diff --git a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/command-line-utilities.md b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/command-line-utilities.md
index 36cd4e7a60..decbf21f9b 100644
--- a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/command-line-utilities.md
+++ b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/command-line-utilities.md
@@ -34,7 +34,7 @@ $ ghe-announce -u
```
{% ifversion ghe-announce-dismiss %}
-To allow each user to dismiss the announcement for themselves, use the `-d` flag.
+Para permitir que cada usuário ignore o anúncio para si mesmo, use o sinalizador `-d`.
```shell
# Sets a user-dismissible message that's visible to everyone
$ ghe-announce -d -s MESSAGE
@@ -49,7 +49,7 @@ $ ghe-announce -u
Você também pode definir um banner de anúncio usando as configurações empresariais no {% data variables.product.product_name %}. Para obter mais informações, consulte "[Personalizar mensagens de usuário na instância](/enterprise/admin/user-management/customizing-user-messages-on-your-instance#creating-a-global-announcement-banner)".
{% endif %}
-{% ifversion ghes > 3.1 %}
+{% ifversion ghes %}
### ghe-aqueduct
@@ -205,7 +205,7 @@ $ ghe-es-index-status -do | column -ts,
### ghe-legacy-github-services-report
-Este utilitário lista os repositórios no appliance que usam o {% data variables.product.prodname_dotcom %} Services, um método de integração que será descontinuado em 1 de outubro de 2018. Os usuários do seu appliance podem ter configurado o {% data variables.product.prodname_dotcom %} Services para criar notificações de pushes em determinados repositórios. For more information, see "[Announcing the deprecation of {% data variables.product.prodname_dotcom %} Services](https://developer.github.com/changes/2018-04-25-github-services-deprecation/)" on {% data variables.product.prodname_blog %} or "[Replacing {% data variables.product.prodname_dotcom %} Services](/developers/overview/replacing-github-services)." Para saber mais sobre este comando ou consultar opções adicionais, use o sinalizador `-h`.
+Este utilitário lista os repositórios no appliance que usam o {% data variables.product.prodname_dotcom %} Services, um método de integração que será descontinuado em 1 de outubro de 2018. Os usuários do seu appliance podem ter configurado o {% data variables.product.prodname_dotcom %} Services para criar notificações de pushes em determinados repositórios. Para obter mais informações, consulte "[Anunciar a depreciação dos serviços de {% data variables.product.prodname_dotcom %}](https://developer.github.com/changes/2018-04-25-github-services-deprecation/)" em {% data variables.product.prodname_blog %} ou "[Substituir serviços de {% data variables.product.prodname_dotcom %}](/developers/overview/replacing-github-services)". Para saber mais sobre este comando ou consultar opções adicionais, use o sinalizador `-h`.
```shell
ghe-legacy-github-services-report
@@ -289,33 +289,6 @@ Use este comando para desbloquear imediatamente o {% data variables.enterprise.m
$ ghe-reactivate-admin-login
```
-{% ifversion ghes < 3.2 %}
-
-
-### ghe-resque-info
-
-Este utilitário exibe informações sobre trabalhos em segundo plano, ativos e em fila. Ele fornece os mesmos números de contagem de trabalhos que a barra de estatísticas de administração, na parte superior de todas as páginas.
-
-Este utilitário pode ajudar a identificar se o servidor Resque está tendo problemas ao processar trabalhos em segundo plano. Quaisquer dos cenários a seguir podem indicar problemas com o Resque:
-
-* O número de trabalhos em segundo plano está aumentando, e os trabalhos ativos continuam iguais.
-* Os feeds de evento não estão sendo atualizados.
-* Webhooks não estão sendo acionados.
-* A interface web não atualiza após um push do Git.
-
-Se você desconfiar de falha no Resque, entre em contato com o {% data variables.contact.contact_ent_support %}.
-
-Com este comando, também é possível pausar ou retomar trabalhos na fila.
-
-```shell
-$ ghe-resque-info
-# lista filas e o número de trabalhos em fila
-$ ghe-resque-info -p QUEUE
-# pausa a fila especificada
-$ ghe-resque-info -r QUEUE
-# retoma a fila especificada
-```
-{% endif %}
### ghe-saml-mapping-csv
@@ -433,7 +406,7 @@ Este utilitário permite instalar um certificado CA personalizado de raiz no seu
Execute este utilitário para adicionar uma cadeia de certificados para verificação de assinatura de commits S/MIME. Para obter mais informações, consulte "[Sobre a verificação de assinatura de commit](/enterprise/user/articles/about-commit-signature-verification/)".
-Execute este utilitário quando a {% data variables.product.product_location %} não conseguir se conectar a outro servidor por ele estar usando um certificado SSL autoassinado ou um certificado SSL para o qual não há o pacote CA necessário. Uma forma de confirmar essa questão é executar `openssl s_client -connect host:port -verify 0 -CApath /etc/ssl/certs` na {% data variables.product.product_location %}. Se o certificado SSL do servidor remoto puder ser verificado, sua `SSL-Session` deverá ter um código de retorno 0, conforme mostrado abaixo.
+Execute este utilitário quando {% data variables.product.product_location %} não conseguir se conectar a outro servidor por ele estar usando um certificado SSL autoassinado ou um certificado SSL para o qual não há o pacote CA necessário. Uma forma de confirmar isso é executar `openssl s_client -connect host:port -verify 0 -CApath /etc/ssl/certs` no {% data variables.product.product_location %}. Se o certificado SSL do servidor remoto puder ser verificado, sua `SSL-Session` deverá ter um código de retorno 0, conforme mostrado abaixo.
```
SSL-Session:
@@ -543,7 +516,7 @@ ghe-webhook-logs -g delivery-guid -v
### ghe-cluster-status
-Check the health of your nodes and services in a cluster deployment of {% data variables.product.prodname_ghe_server %}.
+Verifique a saúde dos seus nós e serviços em uma implantação de clustering de {% data variables.product.prodname_ghe_server %}.
```shell
$ ghe-cluster-status
@@ -682,7 +655,7 @@ ghe-repo username/reponame
### ghe-repo-gc
-Este utilitário empacota manualmente uma rede de repositórios para otimizar o armazenamento do pacote. Se você tem um repositório muito grande, esse comando pode ajudar a reduzir o tamanho. O {% data variables.product.prodname_enterprise %} executa automaticamente este comando durante toda a sua interação com uma rede de repositórios.
+Este utilitário reempacota manualmente uma rede de repositórios para otimizar o armazenamento do pacote. Se você tem um repositório muito grande, esse comando pode ajudar a reduzir o tamanho. O {% data variables.product.prodname_enterprise %} executa automaticamente este comando durante toda a sua interação com uma rede de repositórios.
Você pode adicionar o argumento opcional `--prune` para remover objetos inacessíveis do Git que não são referenciados em um branch, tag ou qualquer outra referência. Fazer isso é útil principalmente para remover de imediato [informações confidenciais já eliminadas](/enterprise/user/articles/remove-sensitive-data/).
diff --git a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-rate-limits.md b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-rate-limits.md
index a877b5c6af..4f25b255f2 100644
--- a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-rate-limits.md
+++ b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-rate-limits.md
@@ -40,7 +40,7 @@ Setting secondary rate limits protects the overall level of service on {% data v
{% data reusables.enterprise_site_admin_settings.access-settings %}
{% data reusables.enterprise_site_admin_settings.management-console %}
-{% ifversion ghes > 3.1 %}
+{% ifversion ghes %}
2. Under "Rate Limiting", select **Enable Secondary Rate Limiting**.

{% else %}
@@ -101,4 +101,4 @@ By default, the rate limit for {% data variables.product.prodname_actions %} is
```
1. Wait for the configuration run to complete.
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise.md b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise.md
index 92cd0abaa0..84b5e826fe 100644
--- a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise.md
@@ -3,7 +3,7 @@ title: Configurar a política de indicação para a sua empresa
shortTitle: Configurar a política de indicação
intro: 'Você pode aumentar a privacidade do {% data variables.product.product_location %} configurando a política para solicitações de origem cruzada.'
versions:
- ghes: '>=3.2'
+ ghes: '*'
type: how_to
topics:
- Enterprise
diff --git a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/managing-github-mobile-for-your-enterprise.md b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/managing-github-mobile-for-your-enterprise.md
index f5af65a765..1593f1b91c 100644
--- a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/managing-github-mobile-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/managing-github-mobile-for-your-enterprise.md
@@ -20,7 +20,7 @@ shortTitle: Gerenciar o GitHub Mobile
Você pode permitir ou impedir que as pessoas usem {% data variables.product.prodname_mobile %} para efetuar a autenticação em {% data variables.product.product_location %} e acessar os dados da sua instância. Por padrão, {% data variables.product.prodname_mobile %} é{% ifversion ghes > 3.3 %} habilitado para pessoas que usam {% data variables.product.product_location %}.{% else %} não habilitado para pessoas que usam {% data variables.product.product_location %}. Para permitir conexão com a sua instância com {% data variables.product.prodname_mobile %}, você deve habilitar o recurso para a sua instância.{% endif %}
-{% ifversion ghes < 3.6 and ghes > 3.1 %}
+{% ifversion ghes < 3.6 %}
{% note %}
**Observação:** Se você fizer a atualização para {% data variables.product.prodname_ghe_server %} 3.4. ou posterior e não tiver previamente desabilitado ou habilitado {% data variables.product.prodname_mobile %}, {% data variables.product.prodname_mobile %} será habilitado por padrão. Se você desabilitou ou habilitou {% data variables.product.prodname_mobile %} anteriormente para a sua instância, a sua preferência será preservada após a atualização. Para obter mais informações sobre como atualizar sua instância, consulte "[Atualizando {% data variables.product.product_name %}](/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server)".
diff --git a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise.md b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise.md
index daa81b3ef1..65daf37ef5 100644
--- a/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise.md
@@ -5,7 +5,7 @@ intro: 'Você pode verificar a propriedade de domínios com {% data variables.pr
product: '{% data reusables.gated-features.verify-and-approve-domain %}'
versions:
ghec: '*'
- ghes: '>=3.2'
+ ghes: '*'
permissions: Enterprise owners can verify or approve a domain for an enterprise account.
type: how_to
topics:
diff --git a/translations/pt-BR/content/admin/enterprise-management/configuring-high-availability/initiating-a-failover-to-your-replica-appliance.md b/translations/pt-BR/content/admin/enterprise-management/configuring-high-availability/initiating-a-failover-to-your-replica-appliance.md
index 142332f9c7..6fef15644c 100644
--- a/translations/pt-BR/content/admin/enterprise-management/configuring-high-availability/initiating-a-failover-to-your-replica-appliance.md
+++ b/translations/pt-BR/content/admin/enterprise-management/configuring-high-availability/initiating-a-failover-to-your-replica-appliance.md
@@ -44,7 +44,7 @@ O tempo do failover dependerá do tempo necessário para promover manualmente a
$ ghe-repl-status -vv
```
-4. No dispositivo da réplica, para parar a replicação e promover o dispositivo da réplica ao estado primário, use o comando `ghe-repl-promote`. A ação também colocará automaticamente o nó primário no nó de manutenção, se ele for acessível.
+4. No dispositivo da réplica, para parar a replicação e promover o dispositivo da réplica ao estado primário, use o comando `ghe-repl-promote`. Isto também colocará automaticamente o nó primário no modo de manutenção se ele for acessível.
```shell
$ ghe-repl-promote
```
diff --git a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/increasing-storage-capacity.md b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/increasing-storage-capacity.md
index 341a4d560c..42be18871c 100644
--- a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/increasing-storage-capacity.md
+++ b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/increasing-storage-capacity.md
@@ -65,8 +65,8 @@ shortTitle: Aumentar capacidade de armazenamento
{% endwarning %}
1. Vincule o novo disco ao appliance do {% data variables.product.prodname_ghe_server %}.
-1. Run the `lsblk` command to identify the new disk's device name.
-1. Run the `parted` command to format the disk, substituting your device name for `/dev/xvdg`:
+1. Execute o comando `lsblk` para identificar o nome do dispositivo do novo disco.
+1. Execute o comando `parted` para formatar o disco, substituindo o nome do seu dispositivo por `/dev/xvdg`:
```shell
$ sudo parted /dev/xvdg mklabel msdos
$ sudo parted /dev/xvdg mkpart primary ext4 0% 50%
diff --git a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrade-requirements.md b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrade-requirements.md
index 4216547c9b..f74b5bb56d 100644
--- a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrade-requirements.md
+++ b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrade-requirements.md
@@ -49,8 +49,6 @@ curl -s http://localhost:9201/audit_log/_stats/store | jq ._all.primaries.store.
```
Use o número para estimar o espaço em disco necessário para os logs de auditoria do MySQL. O script também monitora seu espaço livre em disco durante o andamento da importação. Monitorar esse número é útil principalmente se o espaço livre em disco estiver próximo da quantidade de espaço em disco necessária para a migração.
-{% data reusables.enterprise_installation.upgrade-hardware-requirements %}
-
## Próximas etapas
Após ler essas recomendações e requisitos, você poderá atualizar para o {% data variables.product.prodname_ghe_server %}. Para obter mais informações, consulte "[Atualizar o {% data variables.product.prodname_ghe_server %}](/enterprise/admin/guides/installation/upgrading-github-enterprise-server/)".
diff --git a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server.md b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server.md
index 7e11e0d8b3..9d47ed95c5 100644
--- a/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server.md
+++ b/translations/pt-BR/content/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server.md
@@ -38,8 +38,6 @@ shortTitle: Atualizando GHES
{% endnote %}
-{% data reusables.enterprise_installation.upgrade-hardware-requirements %}
-
## Obter um instantâneo
Instantâneo é um ponto de verificação de uma máquina virtual (VM) em um momento específico. É altamente recomendável obter um instantâneo antes de atualizar sua máquina virtual para que você possa recuperar a VM em caso de falha. Apenas recomendamos tirar um instantâneo da VM quando o dispositivo estiver desligado ou em modo de manutenção e todos os trabalhos em segundo plano estiverem concluídos.
diff --git a/translations/pt-BR/content/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server.md b/translations/pt-BR/content/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server.md
index 287aac7103..6c8997b8fb 100644
--- a/translations/pt-BR/content/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server.md
+++ b/translations/pt-BR/content/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server.md
@@ -34,16 +34,7 @@ Este artigo explica como os administradores do site podem configurar {% data var
## Revisar os requisitos de hardware
-
-{%- ifversion ghes < 3.2 %}
-
-Os recursos da CPU e memória disponíveis para {% data variables.product.product_location %} determinam o rendimento máximo do trabalho para {% data variables.product.prodname_actions %}. {% data reusables.actions.minimum-hardware %}
-
-O teste interno em {% data variables.product.company_short %} demonstrou o rendimento máximo a seguir para instâncias de {% data variables.product.prodname_ghe_server %} com um intervalo de configurações da CPU e memória. Você pode ver diferentes tipos de transferência, dependendo dos níveis gerais de atividade na sua instância.
-
-{%- endif %}
-
-{%- ifversion ghes > 3.1 %}
+{%- ifversion ghes %}
Os recursos de CPU e memória disponíveis para {% data variables.product.product_location %} determinam o número de trabalhos que podem ser executados simultaneamente sem perda de desempenho. {% data reusables.actions.minimum-hardware %}
@@ -51,11 +42,6 @@ O pico de trabalhos simultâneos rodando sem perda de desempenho depende de fato
{% endif %}
-{%- ifversion ghes < 3.2 %}
-
-{% data reusables.actions.hardware-requirements-before %}
-
-{%- endif %}
{%- ifversion ghes = 3.2 %}
diff --git a/translations/pt-BR/content/admin/guides.md b/translations/pt-BR/content/admin/guides.md
index 0a675dc290..1d40d58bb2 100644
--- a/translations/pt-BR/content/admin/guides.md
+++ b/translations/pt-BR/content/admin/guides.md
@@ -126,7 +126,6 @@ includeGuides:
- /admin/monitoring-activity-in-your-enterprise/exploring-user-activity/log-forwarding
- /admin/monitoring-activity-in-your-enterprise/exploring-user-activity/managing-global-webhooks
- /admin/user-management/managing-organizations-in-your-enterprise/adding-organizations-to-your-enterprise
- - /admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise
- /admin/user-management/managing-projects-using-jira
- /admin/user-management/managing-users-in-your-enterprise/inviting-people-to-manage-your-enterprise
- /admin/user-management/managing-users-in-your-enterprise/managing-support-entitlements-for-your-enterprise
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md b/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
index 1d038b46e0..856b435cd0 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/index.md
@@ -30,6 +30,7 @@ children:
- /username-considerations-for-external-authentication
- /changing-authentication-methods
- /allowing-built-in-authentication-for-users-outside-your-provider
+ - /troubleshooting-identity-and-access-management-for-your-enterprise
shortTitle: Gerenciando IAM para a sua empresa
---
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md b/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md
new file mode 100644
index 0000000000..d7acf383d4
--- /dev/null
+++ b/translations/pt-BR/content/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise.md
@@ -0,0 +1,44 @@
+---
+title: Troubleshooting identity and access management for your enterprise
+shortTitle: Troubleshoot IAM
+intro: Review common issues and solutions for identity and access management for your enterprise.
+versions:
+ ghec: '*'
+ ghes: '*'
+type: how_to
+topics:
+ - Accounts
+ - Authentication
+ - Enterprise
+ - Identity
+ - Security
+ - SSO
+ - Troubleshooting
+---
+
+## Username conflicts
+
+{% ifversion ghec %}If your enterprise uses {% data variables.product.prodname_emus %}, {% endif %}{% data variables.product.product_name %} normalizes an identifier provided by your identity provider (IdP) to create each person's username on {% data variables.product.prodname_dotcom %}. If multiple accounts are normalized into the same {% data variables.product.prodname_dotcom %} username, a username conflict occurs, and only the first user account is created. Para obter mais informações, consulte "[Considerações de nome de usuário para autenticação externa](/admin/identity-and-access-management/managing-iam-for-your-enterprise/username-considerations-for-external-authentication)".
+
+{% ifversion ghec %}
+## Errors when switching authentication configurations
+
+If you're experiencing problems while switching between different authentication configurations, such as changing your SAML SSO configuration from an organization to an enterprise account or migrating from SAML to OIDC for {% data variables.product.prodname_emus %}, ensure you're following our best practices for the change.
+
+- "[Switching your SAML configuration from an organization to an enterprise account](/admin/identity-and-access-management/using-saml-for-enterprise-iam/switching-your-saml-configuration-from-an-organization-to-an-enterprise-account)"
+- "[Migrating from SAML to OIDC](/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/migrating-from-saml-to-oidc)"
+
+## Accessing your enterprise when SSO is not available
+
+When a configuration error or an issue with your identity provider IdP prevents you from using SSO, you can use a recovery code to access your enterprise. Para obter mais informações, consulte "[Acessar a sua conta corporativa se seu provedor de identidade estiver indisponível](/admin/identity-and-access-management/managing-recovery-codes-for-your-enterprise/accessing-your-enterprise-account-if-your-identity-provider-is-unavailable)".
+{% endif %}
+
+## SAML authentication errors
+
+If users are experiencing errors when attempting to authenticate with SAML, see "[Troubleshooting SAML authentication](/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication)."
+
+{% ifversion ghec %}
+## Leia mais
+
+- "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)"
+{% endif %}
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/about-enterprise-managed-users.md b/translations/pt-BR/content/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/about-enterprise-managed-users.md
index 1c932108dd..d7009b8743 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/about-enterprise-managed-users.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-enterprise-managed-users-for-iam/about-enterprise-managed-users.md
@@ -131,4 +131,4 @@ Antes que seus desenvolvedores possam usar {% data variables.product.prodname_gh
Um conflito pode ocorrer quando os usuários de provisionamento das partes únicas do identificador fornecido pelo IdP são removidos durante a normalização. Se você não puder provisionar um usuário devido a um conflito de nome de usuário, você deverá modificar o nome de usuário fornecido pelo seu IdP. Para obter mais informações, consulte "[Resolvendo conflitos de nome de usuário](/admin/identity-and-access-management/managing-iam-for-your-enterprise/username-considerations-for-external-authentication#resolving-username-conflicts). "
-O nome do perfil e endereço de email de um {% data variables.product.prodname_managed_user %} também é fornecido pelo IdP. {% data variables.product.prodname_managed_users_caps %} cannot change their profile name or email address on {% data variables.product.prodname_dotcom %}, and the IdP can only provide a single email address.
+O nome do perfil e endereço de email de um {% data variables.product.prodname_managed_user %} também é fornecido pelo IdP. {% data variables.product.prodname_managed_users_caps %} não pode alterar seu nome de perfil ou endereço de e-mail em {% data variables.product.prodname_dotcom %}, e o IdP só pode fornecer um único endereço de e-mail.
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
index d2d436d3de..d8c50909a5 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/configuring-saml-single-sign-on-for-your-enterprise-using-okta.md
@@ -51,9 +51,3 @@ Como alternativa, você também pode configurar SAML SSO usando o Okta para uma
1. Clique em **Salvar**.
{% data reusables.saml.okta-view-setup-instructions %}
1. Habilite o SAML para a conta corporativa usando as informações nas instruções de configuração. Para obter mais informações, consulte "[Configurar logon único SAML para a sua empresa](/admin/authentication/managing-identity-and-access-for-your-enterprise/configuring-saml-single-sign-on-for-your-enterprise)".
-
-## Criar grupos no Okta
-
-1. No Okta, crie um grupo para corresponder a cada organização pertencente à conta corporativa. O nome de cada grupo deve corresponder ao nome da conta da organização (não ao nome de exibição da organização). Por exemplo, se a URL da organização for `https://github.com/octo-org`, nomeie o grupo `octo-org`.
-1. Atribua o aplicativo que você criou para a sua conta corporativa a cada grupo. {% data variables.product.prodname_dotcom %} receberá todos os `grupos` de dados para cada usuário.
-1. Adicione usuários a grupos baseados nas organizações às quais você deseja que os usuários pertençam.
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/managing-team-synchronization-for-organizations-in-your-enterprise.md b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/managing-team-synchronization-for-organizations-in-your-enterprise.md
index 26cf094fc5..dfab9a186c 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/managing-team-synchronization-for-organizations-in-your-enterprise.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/managing-team-synchronization-for-organizations-in-your-enterprise.md
@@ -1,6 +1,6 @@
---
title: Gerenciando a sincronização de equipes para organizações da sua empresa
-intro: 'É possível habilitar a sincronização de equipes entre um provedor de identidade (IdP) e {% data variables.product.product_name %} para permitir que organizações pertencentes à sua conta corporativa gerenciem a associação de equipes por meio de grupos IdP.'
+intro: 'Você pode habilitar a sincronização de equipe entre o Azure AD e {% data variables.product.product_name %} para permitir que as organizações pertencentes à sua conta corporativa gerenciem a associação da equipe por meio de grupos de IdP.'
permissions: Enterprise owners can manage team synchronization for an enterprise account.
versions:
ghec: '*'
@@ -22,7 +22,7 @@ shortTitle: Gerenciar sincronização de equipe
## Sobre a sincronização de equipes para contas corporativas
-Se você usar o Azure AD como seu IdP, você pode habilitar a sincronização de equipes para sua conta corporativa para permitir que os proprietários da organização e mantenedores de equipe sincronizem as equipes nas organizações pertencentes às contas corporativas com os grupos de IdP.
+Se você usar o SAML no nível corporativo com o Azure AD como seu IdP, você poderá habilitar a sincronização de equipes para sua conta corporativa para permitir que os proprietários da organização e mantenedores de equipe sincronizem as equipes nas organizações pertencentes às contas corporativas com os grupos de IdP.
{% data reusables.identity-and-permissions.about-team-sync %}
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
index 85004d2bbd..db28ac9b81 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference.md
@@ -132,6 +132,10 @@ Para impedir que uma pessoa efetue a autenticação com o seu IdP e permaneça i
Para personalizar a duração da sessão, talvez você possa definir o valor do atributo `SessionNotOnOrAfter` no seu IdP. Se você definir um valor em menos de 24 horas, {% data variables.product.product_name %} poderá solicitar a autenticação das pessoas toda vez que {% data variables.product.product_name %} iniciar um redirecionamento.
+{% ifversion ghec %}
+To prevent authentication errors, we recommend a minimum session duration of 4 hours. For more information, see "[Troubleshooting SAML authentication](/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication#users-are-repeatedly-redirected-to-authenticate)."
+{% endif %}
+
{% note %}
**Atenção**:
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
index edd6193e65..d6759475dc 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/troubleshooting-saml-authentication.md
@@ -4,6 +4,7 @@ shortTitle: Solucionar problemas do SAML SSO
intro: 'Se você usar o logon único SAML (SSO) e as pessoas não conseguirem efetuar a autenticação para acessar {% data variables.product.product_location %}, você poderá solucionar o problema.'
versions:
ghes: '*'
+ ghec: '*'
type: how_to
topics:
- Accounts
@@ -15,6 +16,7 @@ topics:
- Troubleshooting
---
+{% ifversion ghes %}
## Sobre problemas com autenticação do SAML
Mensagens de erro de registro de {% data variables.product.product_name %} para autenticação do SAML falhada no registro de autenticação em _/var/log/github/auth.log_. Você pode revisar as respostas neste arquivo de log, e você também pode configurar mais logs detalhados.
@@ -100,3 +102,10 @@ Audience inválido. O atributo Audience não corresponde a url_sua_instância
```
Certifique-se de que você definiu o valor para `Audiência` no seu IdP para `EntityId` para {% data variables.product.product_location %}, que é o URL completo da sua instância. Por exemplo, `https://ghe.corp.example.com`.
+{% endif %}
+
+{% data reusables.saml.current-time-earlier-than-notbefore-condition %}
+
+{% ifversion ghec %}
+{% data reusables.saml.authentication-loop %}
+{% endif %}
diff --git a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/updating-a-users-saml-nameid.md b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/updating-a-users-saml-nameid.md
index 18ac777f0d..55d01d5b37 100644
--- a/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/updating-a-users-saml-nameid.md
+++ b/translations/pt-BR/content/admin/identity-and-access-management/using-saml-for-enterprise-iam/updating-a-users-saml-nameid.md
@@ -1,7 +1,7 @@
---
title: Updating a user's SAML NameID
shortTitle: Update SAML NameID
-intro: When an account's `NameID` changes on your identity provider (IdP) and the person can no longer {% ifversion ghes or ghae %}sign into {% data variables.product.product_location %}{% elsif ghec %}authenticate to access your enterprise's resources{% endif %}, you must {% ifversion ghec %}either contact {% data variables.product.company_short %} Support or revoke the person's linked identity{% elsif ghes %}update the `NameID` mapping on {% data variables.product.product_location %}{% elsif ghae %}contact {% data variables.product.company_short %} Support{% endif %}.
+intro: 'When an account''s `NameID` changes on your identity provider (IdP) and the person can no longer {% ifversion ghes or ghae %}sign into {% data variables.product.product_location %}{% elsif ghec %}authenticate to access your enterprise''s resources{% endif %}, you must {% ifversion ghec %}either contact {% data variables.product.company_short %} Support or revoke the person''s linked identity{% elsif ghes %}update the `NameID` mapping on {% data variables.product.product_location %}{% elsif ghae %}contact {% data variables.product.company_short %} Support{% endif %}.'
versions:
ghes: '*'
type: how_to
diff --git a/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/audit-log-events-for-your-enterprise.md b/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/audit-log-events-for-your-enterprise.md
index 3d56159072..ea1ff41843 100644
--- a/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/audit-log-events-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/audit-log-events-for-your-enterprise.md
@@ -31,7 +31,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
- Se a sua empresa usa {% data variables.product.prodname_emus %}, o log de auditoria também incluirá eventos de usuário para {% data variables.product.prodname_managed_users %}, bem como cada vez que o usuário fizer login em {% data variables.product.product_name %}. Para obter uma lista desses eventos, consulte "[Revisando seu log de segurança](/authentication/keeping-your-account-and-data-secure/reviewing-your-security-log#security-log-actions)".
{% endif %}
-
{%- ifversion fpt or ghec %}
## ações de categoria da `conta`
@@ -92,7 +91,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
{%- ifversion ghec %}
| `business.add_support_entitlee` | Um direito de suporte foi adicionado a um integrante de uma empresa. Para obter mais informações, consulte "[Gerenciar direitos de suporte para a sua empresa](/admin/user-management/managing-users-in-your-enterprise/managing-support-entitlements-for-your-enterprise)".
{%- endif %}
-{%- ifversion ghes > 3.0 or ghae %}
+{%- ifversion ghes or ghae %}
| `business.advanced_security_policy_update` | Um proprietário corporativo{% ifversion ghes %} ou administrador de site{% endif %} criou, atualizou ou removeru uma política para {% data variables.product.prodname_GH_advanced_security %}. Para obter mais informações, consulte "[Aplicar políticas para {% data variables.product.prodname_advanced_security %} na sua empresa](/admin/policies/enforcing-policies-for-advanced-security-in-your-enterprise)".
{%- endif %}
{%- ifversion ghec %}
@@ -114,7 +113,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `business.enterprise_server_license_download` | Foi feito o download de uma licença de {% data variables.product.prodname_ghe_server %}. | `business.import_license_usage` | As informações do uso da licença foram importadas de uma instância de {% data variables.product.prodname_ghe_server %} para a conta de uma empresa em {% data variables.product.prodname_dotcom_the_website %}. | `business.invite_admin` | Um convite para alguém ser um proprietário corporativo {% ifversion ghes %} ou administrador do site{% endif %} de uma empresa foi enviado. | `business.invite_billing_manager` | Um convite para alguém ser um gerente de cobrança de uma empresa foi enviado.
{%- endif %}
| `business.members_can_update_protected_branches.clear` | Um proprietário de uma empresa{% ifversion ghes %} ou administrador de site{% endif %} cancelou a política de os integrantes de uma empresa poderem atualizar branches protegidos nos repositórios para organizações individuais. Os administradores da organização podem escolher se permitem a atualização das configurações dos branches protegidos. | `business.members_can_update_protected_branches.disable` | A capacidade para os integrantes corporativos de atualizar as regras de proteção do branch foi desabilitada. Apenas os proprietários corporativos podem atualizar branches protegidos. | `business.members_can_update_protected_branches.enable` | A capaccidade de os integrantes da empresa de atualizar as regras de proteção de brenches foi habilitada. Os proprietários e integrantes da empresa podem atualizar branches protegidos. | `business.remove_admin` | O proprietário de uma empresa{% ifversion ghes %} ou administrador de site{% endif %} foi removido de uma empresa.
-{%- ifversion ghes > 3.1 %}
+{%- ifversion ghes %}
| `business.referrer_override_enable` | O proprietário de uma empresa ou administrador de site habilitou a substituição da política de indicador. Para obter mais informações, consulte "[Configurando a política de indicação para sua empresa](/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise)". | `business.referrer_override_disable` | O proprietário de uma empresa ou administrador de site desabilitou a substituição da política de indicação. Para obter mais informações, consulte "[Configurando a política de indicação para sua empresa](/admin/configuration/configuring-your-enterprise/configuring-the-referrer-policy-for-your-enterprise)".
{%- endif %}
{%- ifversion ghec %}
@@ -236,7 +235,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `dependabot_security_updates_new_repos.enable` | O proprietário de uma empresa {% ifversion ghes %} ou administrador do site{% endif %} habilitou {% data variables.product.prodname_dependabot_security_updates %} para todos os novos repositórios. |
{%- endif %}
-{%- ifversion fpt or ghec or ghes or ghae %}
## ações de categoria de `dependency_graph`
| Ação | Descrição |
@@ -250,7 +248,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| ------------------------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| `dependency_graph_new_repos.disable` | O proprietário de uma empresa {% ifversion ghes %} ou administrador do site{% endif %} desabilitou o gráfico de dependência para todos os novos repositórios. Para obter mais informações, consulte "[Gerenciar configurações de segurança e análise para sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)". |
| `dependency_graph_new_repos.enable` | O proprietário de uma empresa {% ifversion ghes %} ou administrador do site{% endif %} habilitou o gráficou de dependência para todos os novos repositórios. |
-{%- endif %}
{%- ifversion fpt or ghec %}
## Ações da categoria `discussion`
@@ -313,7 +310,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
{%- ifversion ghec %}
| `enterprise.runner_group_visiblity_updated` | A visibilidade de um grupo de executores auto-hospedados de {% data variables.product.prodname_actions %} foi atualizada por meio da API REST. Para obter mais informações, consulte "[Atualize um grupo de executores auto-hospedados para uma organização](/rest/reference/actions#update-a-self-hosted-runner-group-for-an-organization)".
{%- endif %}
-{%- ifversion ghec or ghes > 3.1 or ghae %}
+{%- ifversion ghec or ghes or ghae %}
| `enterprise.self_hosted_runner_online` | O aplicativo do executor de {% data variables.product.prodname_actions %} foi iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `enterprise.self_hosted_runner_offline` | O aplicativo do executor de {% data variables.product.prodname_actions %} foi interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)".
{%- endif %}
{%- ifversion ghec or ghes %}
@@ -584,17 +581,21 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
## ações de categoria de `org`
-| Ação | Descrição |
-| -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ---------------------------------------------------------------------------------- |
-| `org.accept_business_invitation` | Um convite enviado para uma organização para participar de uma empresa foi aceito. |
-| {% ifversion ghec %}Para obter mais informações, consulte "[Convidar uma organização para participar da sua conta corporativa](/admin/user-management/managing-organizations-in-your-enterprise/adding-organizations-to-your-enterprise#inviting-an-organization-to-join-your-enterprise-account)".{% endif %} | |
-| `org.add_billing_manager` | Um gerente de cobrança foi adicionado a uma organização. |
-| {% ifversion fpt or ghec %}Para obter mais informações, consulte "[Adicionando um gerente de cobrança à sua organização](/organizations/managing-peoples-access-to-your-organization-with-roles/adding-a-billing-manager-to-your-organization)".{% endif %} | |
-| `org.add_member` | Um usuário entrou em uma organização. |
-{%- ifversion ghes > 3.0 or ghae or ghec %}
-| `org.advanced_security_disabled_for_new_repos` | {% data variables.product.prodname_GH_advanced_security %} foi desabilitado para novos repositórios em uma organização. | `org.advanced_security_disabled_on_all_repos` | {% data variables.product.prodname_GH_advanced_security %} foi desabilitado para todos os repositórios em uma organização. | `org.advanced_security_enabled_for_new_repos` | {% data variables.product.prodname_GH_advanced_security %} foi habilitado para novos repositórios em uma organização. | `org.advanced_security_enabled_on_all_repos` | {% data variables.product.prodname_GH_advanced_security %} foi habilitado para todos os repositórios em uma organização. | `org.advanced_security_policy_selected_member_disabled` | O proprietário de uma empresa evitou que as funcionalidades de {% data variables.product.prodname_GH_advanced_security %} fossem habilitadas para os repositórios pertencentes à organização. {% data reusables.advanced-security.more-information-about-enforcement-policy %} | `org.advanced_security_policy_selected_member_enabled` | O proprietário de uma empresa permitiu que as funcionalidades de {% data variables.product.prodname_GH_advanced_security %} fossem habilitadas para repositórios pertencentes à organização. {% data reusables.advanced-security.more-information-about-enforcement-policy %} | `org.advanced_security_policy_update` | O proprietário de uma organização atualizou as políticas para {% data variables.product.prodname_GH_advanced_security %} em uma empresa. {% data reusables.advanced-security.more-information-about-enforcement-policy %}
-{%- endif %}
-| `org.async_delete` | Um usuário iniciou um trabalho em segundo plano para excluir uma organização.
+| Ação | Descrição |
+| -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| `org.accept_business_invitation` | Um convite enviado para uma organização para participar de uma empresa foi aceito. |
+| {% ifversion ghec %}Para obter mais informações, consulte "[Convidar uma organização para participar da sua conta corporativa](/admin/user-management/managing-organizations-in-your-enterprise/adding-organizations-to-your-enterprise#inviting-an-organization-to-join-your-enterprise-account)".{% endif %} | |
+| `org.add_billing_manager` | Um gerente de cobrança foi adicionado a uma organização. |
+| {% ifversion fpt or ghec %}Para obter mais informações, consulte "[Adicionando um gerente de cobrança à sua organização](/organizations/managing-peoples-access-to-your-organization-with-roles/adding-a-billing-manager-to-your-organization)".{% endif %} | |
+| `org.add_member` | Um usuário entrou em uma organização. |
+| `org.advanced_security_disabled_for_new_repos` | {% data variables.product.prodname_GH_advanced_security %} foi desabilitado para novos repositórios em uma organização. |
+| `org.advanced_security_disabled_on_all_repos` | {% data variables.product.prodname_GH_advanced_security %} foi desabilitado para todos os repositórios de uma organização. |
+| `org.advanced_security_enabled_for_new_repos` | {% data variables.product.prodname_GH_advanced_security %} foi habilitado para novos repositórios em uma organização. |
+| `org.advanced_security_enabled_on_all_repos` | {% data variables.product.prodname_GH_advanced_security %} foi habilitado para todos os repositórios de uma organização. |
+| `org.advanced_security_policy_selected_member_disabled` | Um proprietário de uma empresa impediu que as funcionalidades de {% data variables.product.prodname_GH_advanced_security %} fossem habilitadas para repositórios pertencentes à organização. {% data reusables.advanced-security.more-information-about-enforcement-policy %}
+| `org.advanced_security_policy_selected_member_enabled` | Um proprietário de uma empresa permitiu que as funcionalidades de {% data variables.product.prodname_GH_advanced_security %} fossem habilitadas nos repositórios pertencentes à organização. {% data reusables.advanced-security.more-information-about-enforcement-policy %}
+| `org.advanced_security_policy_update` | O proprietário da organização atualizou as políticas para {% data variables.product.prodname_GH_advanced_security %} em uma empresa. {% data reusables.advanced-security.more-information-about-enforcement-policy %}
+| `org.async_delete` | Um usuário iniciou um trabalho em segundo plano para excluir uma organização. |
{%- ifversion ghec %}
| `org.audit_log_export` | O proprietário de uma organização criou uma exportação do log de auditoria da organização. Se a exportação incluir uma consulta, o log relacionará a consulta usada e o número de entradas do log de auditoria que correspondem à consulta. Para obter mais informações, consulte "[Exportando atividades de registro de auditoria para a sua empresa](/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/exporting-audit-log-activity-for-your-enterprise)".
{%- endif %}
@@ -645,9 +646,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
{%- ifversion secret-scanning-audit-log-custom-patterns %}
| `org.secret_scanning_push_protection_disable` | O proprietário ou administrador de uma organização desabilitou a proteção de push para a digitalização de segredo. Para obter mais informações, consulte "[Protegendo pushes com digitalização de segredo](/enterprise-cloud@latest/code-security/secret-scanning/protecting-pushes-with-secret-scanning)". | `org.secret_scanning_push_protection_enable` | O proprietário ou administrador de uma organização habilitou a proteção de push para a digitalização de segredo.
{%- endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
| `org.self_hosted_runner_online` | O aplicativo do executor foi iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `org.self_hosted_runner_offline` | O aplicativo do executor foi interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)".
-{%- endif %}
{%- ifversion fpt or ghec or ghes %}
| `org.self_hosted_runner_updated` | O aplicativo do executor foi atualizado. Pode ser visto usando a API REST e a interface do usuário; não visível na exportação de JSON/CSV. Para obter mais informações, consulte "[Sobre os executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)."
{%- endif %}
@@ -703,7 +702,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `organization_default_label.update` | Uma etiqueta padrão para repositórios em uma organização foi editada. Para obter mais informações, consulte "[Editando a etiqueta padrão](/organizations/managing-organization-settings/managing-default-labels-for-repositories-in-your-organization#editing-a-default-label)". |
| `organization_default_label.destroy` | Uma etiqueta padrão para repositórios em uma organização foi excluída. Para obter mais informações, consulte "[Excluindo uma etiqueta padrão](/organizations/managing-organization-settings/managing-default-labels-for-repositories-in-your-organization#deleting-a-default-label)". |
-{%- ifversion fpt or ghec or ghes > 3.1 %}
+{%- ifversion fpt or ghec or ghes %}
## Ações da categoria `organization_domain`
| Ação | Descrição |
@@ -722,23 +721,21 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `organization_projects_change.enable` | Os projetos da organização foram habilitados para todas as organizações de uma empresa. Para obter mais informações, consulte "[" Aplicando uma política para os quadros de projetos de toda a organização](/admin/policies/enforcing-policies-for-your-enterprise/enforcing-project-board-policies-in-your-enterprise#enforcing-a-policy-for-organization-wide-project-boards)". |
{%- endif %}
-{%- ifversion fpt or ghec or ghes > 3.0 or ghae %}
## Ações da categoria `pacotes`
-| Ação | Descrição |
-| ------------------------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| `packages.insecure_hash` | O Maven publicou um hash inseguro para uma versão específica de pacote. |
-| `packages.package_deleted` | Um pacote foi excluído de uma organização.{% ifversion fpt or ghec or ghes > 3.1 %} Para obter mais informações, consulte, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `packages.package_published` | Um pacote foi publicado ou republicado para uma organização. |
-| `packages.package_restored` | Um pacote inteiro foi restaurado.{% ifversion fpt or ghec or ghes > 3.1 %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `packages.package_version_deleted` | A versão de um pacote específico foi excluída.{% ifversion fpt or ghec or ghes > 3.1 %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `packages.package_version_published` | Uma versão específica de pacote foi publicada ou republicada em um pacote. |
-| `packages.package_version_restored` | A versão de um pacote específico foi excluída.{% ifversion fpt or ghec or ghes > 3.1 %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `packages.part_upload` | Uma versão específica de pacote foi parcialmente enviada para uma organização. |
-| `packages.upstream_package_fetched` | Uma versão específica de pacote foi obtida a partir proxy upstream do npm. |
-| `packages.version_download` | Uma versão específica do pacote foi baixada. |
-| `packages.version_upload` | Foi feito o upload da versão de um pacote específico. |
-{%- endif %}
+| Ação | Descrição |
+| ------------------------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| `packages.insecure_hash` | O Maven publicou um hash inseguro para uma versão específica de pacote. |
+| `packages.package_deleted` | Um pacote foi excluído de uma organização.{% ifversion fpt or ghec or ghes %} Para obter mais informações, consulte, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| `packages.package_published` | Um pacote foi publicado ou republicado para uma organização. |
+| `packages.package_restored` | Um pacote inteiro foi restaurado.{% ifversion fpt or ghec or ghes %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| `packages.package_version_deleted` | A versão de um pacote específico foi excluída.{% ifversion fpt or ghec or ghes %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| `packages.package_version_published` | Uma versão específica de pacote foi publicada ou republicada em um pacote. |
+| `packages.package_version_restored` | A versão de um pacote específico foi excluída.{% ifversion fpt or ghec or ghes %} Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| `packages.part_upload` | Uma versão específica de pacote foi parcialmente enviada para uma organização. |
+| `packages.upstream_package_fetched` | Uma versão específica de pacote foi obtida a partir proxy upstream do npm. |
+| `packages.version_download` | Uma versão específica do pacote foi baixada. |
+| `packages.version_upload` | Foi feito o upload da versão de um pacote específico. |
{%- ifversion fpt or ghec %}
## Ações da categoria `pages_protected_domain`
@@ -865,7 +862,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `public_key.verification_failure` | Não foi possível verificar a chave SSH de uma conta de usuário ou a [chave de implantação][]. |
| `public_key.verify` | A chave SSH de uma conta de usuário ou a [chave de implantação][] de um repositório foi verificada. |
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
## ações da categoria `pull_request`
| Ação | Descrição |
@@ -899,7 +895,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `pull_request_review_comment.create` | Um comentário de revisão foi adicionado a um pull request. Para obter mais informações, consulte "[Sobre merges do pull request](/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/about-pull-request-reviews)". |
| `pull_request_review_comment.delete` | Um comentário de revisão em um pull request foi excluído. |
| `pull_request_review_comment.update` | Um comentário de revisão em um pull request foi alterado. |
-{%- endif %}
## ações de categoria `repo`
@@ -932,11 +927,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
{%- ifversion fpt or ghec %}
| `repo.set_actions_fork_pr_approvals_policy` | A configuração que exige aprovações para os fluxos de trabalho de bifurcações públicas foi alterada para um repositório. Para obter mais informações, consulte "[Configurando a aprovação necessária para fluxos de trabalho de bifurcações públicas](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#configuring-required-approval-for-workflows-from-public-forks)."
{%- endif %}
-| `repo.set_actions_retention_limit` | O período de retenção para artefatos e registros de {% data variables.product.prodname_actions %} em um repositório foi alterado. Para obter mais informações, consulte "[Configurar o período de retenção para artefatos e registros de {% data variables.product.prodname_actions %} no seu repositório](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#configuring-the-retention-period-for-github-actions-artifacts-and-logs-in-your-repository).
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-| `repo.self_hosted_runner_online` | O aplicativo do executor foi iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `repo.self_hosted_runner_offline` | O aplicativo do executor foi interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `repo.self_hosted_runner_updated` | O aplicativo do executor foi atualizado. Pode ser visto usando a API REST e a interface do usuário; não visível na exportação de JSON/CSV. Para obter mais informações, consulte "[Sobre os executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)."
-{%- endif %}
-| `repo.staff_unlock` | Um administrador corporativo ou equipe do GitHub (com permissão de um administrador do repositório) desbloqueou temporariamente o repositório. | `repo.transfer` | Um usuário aceitou uma solicitação para receber um repositório transferido. | `repo.transfer_outgoing` | Um repositório foi transferido para outra rede de repositório. | `repo.transfer_start` | Um usuário enviou uma solicitação de transferência de repositório para outro usuário ou organização. | `repo.unarchived` | Um repositório foi desarquivado. Para obter mais informações, consulte "[Arquivar um repositório de {% data variables.product.prodname_dotcom %}](/github/creating-cloning-and-archiving-repositories/archiving-a-github-repository)". | `repo.update_actions_settings` | O administrador de um repositório alterou as configurações da política de {% data variables.product.prodname_actions %} em um repositório. | `repo.update_actions_secret` | Um segredo de {% data variables.product.prodname_actions %} foi atualizado. | `repo.update_actions_access_settings` | A configuração para controlar como um repositório foi usado por fluxos de trabalho de {% data variables.product.prodname_actions %} em outros repositórios foi alterada. | `repo.update_default_branch` | O branch padrão de um repositório foi alterado. | `repo.update_integration_secret` | O segredo de uma integração {% data variables.product.prodname_dependabot %} ou {% data variables.product.prodname_codespaces %} foi atualizado para um repositório. | `repo.update_member` | A permissão de um usuário para um repositório foi alterada.
+| `repo.set_actions_retention_limit` | O período de retenção para artefatos e registros de {% data variables.product.prodname_actions %} em um repositório foi alterado. Para obter mais informações, consulte "[Configurar o período de retenção para artefatos e registros de {% data variables.product.prodname_actions %} no seu repositório](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#configuring-the-retention-period-for-github-actions-artifacts-and-logs-in-your-repository). | `repo.self_hosted_runner_online` | O aplicativo do executor foi iniciado. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `repo.self_hosted_runner_offline` | O aplicativo do executor foi interrompido. Só pode ser visto usando a API REST. Não é visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Verificar o status de um executor auto-hospedado](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)". | `repo.self_hosted_runner_updated` | O aplicativo do executor foi atualizado. Pode ser visto usando a API REST e a interface do usuário; não visível na exportação de JSON/CSV. Para obter mais informações, consulte "[Sobre os executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)." | `repo.staff_unlock` | Um administrador corporativo ou equipe do GitHub (com permissão de um administrador do repositório) desbloqueou temporariamente o repositório. | `repo.transfer` | Um usuário aceitou uma solicitação para receber um repositório transferido. | `repo.transfer_outgoing` | Um repositório foi transferido para outra rede de repositório. | `repo.transfer_start` | Um usuário enviou uma solicitação de transferência de repositório para outro usuário ou organização. | `repo.unarchived` | Um repositório foi desarquivado. Para obter mais informações, consulte "[Arquivar um repositório de {% data variables.product.prodname_dotcom %}](/github/creating-cloning-and-archiving-repositories/archiving-a-github-repository)". | `repo.update_actions_settings` | O administrador de um repositório alterou as configurações da política de {% data variables.product.prodname_actions %} em um repositório. | `repo.update_actions_secret` | Um segredo de {% data variables.product.prodname_actions %} foi atualizado. | `repo.update_actions_access_settings` | A configuração para controlar como um repositório foi usado por fluxos de trabalho de {% data variables.product.prodname_actions %} em outros repositórios foi alterada. | `repo.update_default_branch` | O branch padrão de um repositório foi alterado. | `repo.update_integration_secret` | O segredo de uma integração {% data variables.product.prodname_dependabot %} ou {% data variables.product.prodname_codespaces %} foi atualizado para um repositório. | `repo.update_member` | A permissão de um usuário para um repositório foi alterada.
{%- ifversion fpt or ghec %}
## Ações da categoria `repository_advisory`
@@ -1024,7 +1015,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `repository_visibility_change.disable` | A capacidade de os integrantes da empresa atualizarem a visibilidade de um repositório foi desabilitada. Os integrantes não podem alterar a visibilidade do repositório em uma organização ou em todas as organizações de uma empresa. |
| `repository_visibility_change.enable` | A capacidade de os integrantes da empresa atualizarem a visibilidade de um repositório foi habilitada. Os integrantes podem alterar a visibilidade do repositório em uma organização ou em todas as organizações de uma empresa. |
-{%- ifversion fpt or ghec or ghes or ghae %}
## ações de categoria de `repository_vulnerability_alert`
| Ação | Descrição |
@@ -1032,7 +1022,6 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `repository_vulnerability_alert.create` | {% data variables.product.product_name %} criou um alerta {% data variables.product.prodname_dependabot %} para um repositório que usa uma dependência insegura. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts)". |
| `repository_vulnerability_alert.dismiss` | Um proprietário ou administrador de repositório da organização ignorou um alerta de {% data variables.product.prodname_dependabot %} sobre uma dependência vulnerável {% ifversion GH-advisory-db-supports-malware %} ou malware{% endif %}. |
| `repository_vulnerability_alert.resolve` | Alguém com acesso de gravação a um repositório fez push de alterações para atualizar e resolver um alerta de {% data variables.product.prodname_dependabot %} na dependência de um projeto. |
-{%- endif %}
{%- ifversion fpt or ghec %}
## ações da categoria `repository_vulnerability_alerts`
@@ -1051,7 +1040,7 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `required_status_check.create` | Uma verificação de status foi marcada como necessária para um branch protegido. Para obter mais informações, consulte "[Exigir verificações de status antes do merge](/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches#require-status-checks-before-merging). |
| `required_status_check.destroy` | Uma verificação de status não foi mais marcada como necessária para um branch protegido. Para obter mais informações, consulte "[Exigir verificações de status antes do merge](/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches#require-status-checks-before-merging). |
-{%- ifversion ghec or ghes > 3.1 %}
+{%- ifversion ghec or ghes %}
## Ações da categoria `restrict_notification_delivery`
| Ação | Descrição |
@@ -1167,11 +1156,11 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
{%- ifversion ghes %}
| `staff.search_audit_log` | Um administrador do site realizou uma pesquisa no log de auditoria do administrador do site.
{%- endif %}
-| `staff.set_domain_token_expiration` | {% ifversion ghes %}Um administrador de site ou {% endif %}equipe do GitHub definiu o tempo de validade do código de verificação para uma organização ou domínio corporativo. {% ifversion ghec or ghes > 3.1 %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}
+| `staff.set_domain_token_expiration` | {% ifversion ghes %}Um administrador de site ou {% endif %}equipe do GitHub definiu o tempo de validade do código de verificação para uma organização ou domínio corporativo. {% ifversion ghec or ghes %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}
{%- ifversion ghes %}
| `staff.unlock` | O administrador de um site desbloqueou (que obteve temporariamente acesso integral) todos os repositórios privados de um usuário.
{%- endif %}
-| `staff.unverify_domain` | |{% ifversion ghes %}Um administrador de site ou {% endif %}funcionários do GitHub não verificaram uma organização ou domínio corporativo. {% ifversion ghec or ghes > 3.1 %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}「 `funcionários. erify_domain` econtra- {% ifversion ghes %}Um administrador do site ou {% endif %}funcionários do GitHub verificaram uma organização ou domínio corporativo. {% ifversion ghec or ghes > 3.1 %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}
+| `staff.unverify_domain` | |{% ifversion ghes %}Um administrador de site ou {% endif %}funcionários do GitHub não verificaram uma organização ou domínio corporativo. {% ifversion ghec or ghes %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}「 `funcionários. erify_domain` econtra- {% ifversion ghes %}Um administrador do site ou {% endif %}funcionários do GitHub verificaram uma organização ou domínio corporativo. {% ifversion ghec or ghes %}Para obter mais informações, consulte "[Verificando ou aprovando um domínio para a sua organização](/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization)" e "[Verificando ou aprovando um domínio para a sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}
{%- ifversion ghes %}
| `staff.view_audit_log` | Um administrador do site visualizou o log de auditoria administrativa do site.
{%- endif %}
@@ -1260,11 +1249,9 @@ O escopo dos eventos que aparecem no log de auditoria da sua empresa depende se
| `user_license.update` | Um tipo de licença de estação para um usuário de uma empresa foi alterado. |
{%- endif %}
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
## Ações da categoria `fluxos de trabalho`
{% data reusables.audit_log.audit-log-events-workflows %}
-{%- endif %}
[token de acesso do OAuth]: /developers/apps/building-oauth-apps/authorizing-oauth-apps
diff --git a/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/using-the-audit-log-api-for-your-enterprise.md b/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/using-the-audit-log-api-for-your-enterprise.md
index a4514d4c43..d64b5625f6 100644
--- a/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/using-the-audit-log-api-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/monitoring-activity-in-your-enterprise/reviewing-audit-logs-for-your-enterprise/using-the-audit-log-api-for-your-enterprise.md
@@ -6,7 +6,7 @@ permissions: 'Enterprise owners {% ifversion ghes %}and site administrators {% e
miniTocMaxHeadingLevel: 3
versions:
ghec: '*'
- ghes: '>=3.0'
+ ghes: '*'
ghae: '*'
type: tutorial
topics:
@@ -22,7 +22,6 @@ Você pode interagir com o log de auditoria usando a API GraphQL{% ifversion ghe
Timestamps and date fields in the API response are measured in [UTC epoch milliseconds](http://en.wikipedia.org/wiki/Unix_time).
-{% ifversion ghec or ghes > 3.0 or ghae %}
## Consultando o log auditoria da API do GraphQL
Para garantir que a sua propriedade intelectual esteja protegida e que você mantenha a conformidade para a sua empresa, você pode usar a API do GraphQL do log de auditoria para guardar cópias dos seus dados de log de auditoria e para monitorar:
@@ -107,7 +106,6 @@ Essa consulta usa a interface [AuditEntry](/graphql/reference/interfaces#auditen
Para obter mais exemplos de consulta, veja [o repositporio das amostras da plataforma](https://github.com/github/platform-samples/blob/master/graphql/queries).
-{% endif %}
{% ifversion ghec or ghes > 3.2 or ghae-issue-6648 %}
## Consultando o log de auditoria da API REST
diff --git a/translations/pt-BR/content/admin/packages/configuring-package-ecosystem-support-for-your-enterprise.md b/translations/pt-BR/content/admin/packages/configuring-package-ecosystem-support-for-your-enterprise.md
index 9348e0e585..2d583b3957 100644
--- a/translations/pt-BR/content/admin/packages/configuring-package-ecosystem-support-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/packages/configuring-package-ecosystem-support-for-your-enterprise.md
@@ -26,7 +26,7 @@ Para evitar que novos pacotes sejam carregados, você pode definir um ecossistem
{%- ifversion ghes > 3.4 %}{% note -%}
**Observação**: O isolamento de subdomínio deve estar habilitado para alternar as
opções de {% data variables.product.prodname_container_registry %}.
- {%- endnote %}{%- endif %}{%- ifversion ghes > 3.1 %}
+ {%- endnote %}{%- endif %}{%- ifversion ghes %}
{% else %}
{% endif %}
{% data reusables.enterprise_management_console.save-settings %}
diff --git a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-policies-for-github-actions-in-your-enterprise.md b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-policies-for-github-actions-in-your-enterprise.md
index 6e028804c5..619c4403af 100644
--- a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-policies-for-github-actions-in-your-enterprise.md
+++ b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-policies-for-github-actions-in-your-enterprise.md
@@ -115,7 +115,7 @@ Se uma política for habilitada para uma empresa, ela poderá ser desabilitada s
{% data reusables.enterprise-accounts.actions-tab %}
{% data reusables.actions.private-repository-forks-configure %}
-{% ifversion ghec or ghes > 3.1 or ghae %}
+{% ifversion ghec or ghes or ghae %}
## Aplicando uma política de permissões de fluxo de trabalho na sua empresa
diff --git a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-repository-management-policies-in-your-enterprise.md b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-repository-management-policies-in-your-enterprise.md
index cc65df341b..587b33cbae 100644
--- a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-repository-management-policies-in-your-enterprise.md
+++ b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/enforcing-repository-management-policies-in-your-enterprise.md
@@ -71,16 +71,16 @@ Se um proprietário corporativo impedir que os integrantes criem certos tipos de
{% endif %}
-## Aplicar uma política de {% ifversion ghec or ghes > 3.1 or ghae %}base{% else %}permissões padrão{% endif %} do repositório
+## Aplicar uma política de {% ifversion ghec or ghes or ghae %}base{% else %}permissões padrão{% endif %} do repositório
-Em todas as organizações pertencentes à sua empresa, você pode definir um {% ifversion ghec or ghes > 3.1 or ghae %}base{% else %}padrão{% endif %} nível de permissão de repositório (nenhum leitura, gravação ou administrador) para integrantes da organização, ou permitir que os proprietários administrem a configuração no nível da organização.
+Em todas as organizações pertencentes à sua empresa, você pode definir um {% ifversion ghec or ghes or ghae %}base{% else %}padrão{% endif %} nível de permissão de repositório (nenhum leitura, gravação ou administrador) para integrantes da organização, ou permitir que os proprietários administrem a configuração no nível da organização.
{% data reusables.enterprise-accounts.access-enterprise %}
{% data reusables.enterprise-accounts.policies-tab %}
{% data reusables.enterprise-accounts.repositories-tab %}
-4. Em "{% ifversion ghec or ghes > 3.1 or ghae %}Base{% else %}Default{% endif %} permissões", revise as informações sobre como alterar a configuração. {% data reusables.enterprise-accounts.view-current-policy-config-orgs %}
-5. Em "{% ifversion ghec or ghes > 3.1 or ghae %}Base{% else %}Padrão{% endif %} permissões", use o menu suspenso e escolha uma política.
- {% ifversion ghec or ghes > 3.1 or ghae %}
+4. Em "{% ifversion ghec or ghes or ghae %}Base{% else %}Default{% endif %} permissões", revise as informações sobre como alterar a configuração. {% data reusables.enterprise-accounts.view-current-policy-config-orgs %}
+5. Em "{% ifversion ghec or ghes or ghae %}Base{% else %}Padrão{% endif %} permissões", use o menu suspenso e escolha uma política.
+ {% ifversion ghec or ghes or ghae %}

{% else %}

diff --git a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/restricting-email-notifications-for-your-enterprise.md b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/restricting-email-notifications-for-your-enterprise.md
index ad27b65822..2a819d5fc9 100644
--- a/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/restricting-email-notifications-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/policies/enforcing-policies-for-your-enterprise/restricting-email-notifications-for-your-enterprise.md
@@ -4,7 +4,7 @@ intro: 'Você pode impedir que as informações da sua empresa se convertam em c
product: '{% data reusables.gated-features.restrict-email-domain %}'
versions:
ghec: '*'
- ghes: '>=3.2'
+ ghes: '*'
permissions: Enterprise owners can restrict email notifications for an enterprise.
type: how_to
topics:
diff --git a/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/index.md b/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
index a6c6c5785e..b4539340d6 100644
--- a/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
+++ b/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/index.md
@@ -8,6 +8,7 @@ redirect_from:
- /articles/managing-organizations-in-your-enterprise-account
- /github/setting-up-and-managing-your-enterprise-account/managing-organizations-in-your-enterprise-account
- /github/setting-up-and-managing-your-enterprise/managing-organizations-in-your-enterprise-account
+ - /admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise
intro: 'As organizações são uma forma excelente de criar conjuntos distintos de usuários na empresa, como divisões ou grupos que trabalham em projetos semelhantes. {% ifversion ghae %}Os repositórios internos{% else %}públicos e internos{% endif %} que pertencem a uma organização podem ser acessados por membros de outras organizações da empresa, enquanto os repositórios privados podem ser acessador por qualquer pessoa exceto integrantes da organização que recebem acesso.'
versions:
ghec: '*'
@@ -17,7 +18,6 @@ topics:
- Enterprise
children:
- /adding-organizations-to-your-enterprise
- - /managing-unowned-organizations-in-your-enterprise
- /configuring-visibility-for-organization-membership
- /preventing-users-from-creating-organizations
- /requiring-two-factor-authentication-for-an-organization
diff --git a/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md b/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md
deleted file mode 100644
index b2755b6ded..0000000000
--- a/translations/pt-BR/content/admin/user-management/managing-organizations-in-your-enterprise/managing-unowned-organizations-in-your-enterprise.md
+++ /dev/null
@@ -1,22 +0,0 @@
----
-title: Gerenciando organizações não pertencentes à sua empresa
-intro: Você pode tornar-se proprietário de uma organização na sua conta corporativa que não tem proprietários no momento.
-permissions: Enterprise owners can manage unowned organizations in an enterprise account.
-redirect_from:
- - /github/setting-up-and-managing-your-enterprise/managing-organizations-in-your-enterprise-account/managing-unowned-organizations-in-your-enterprise-account
- - /github/setting-up-and-managing-your-enterprise-account/managing-unowned-organizations-in-your-enterprise-account
- - /github/setting-up-and-managing-your-enterprise/managing-unowned-organizations-in-your-enterprise-account
-versions:
- ghec: '*'
-type: how_to
-topics:
- - Administrator
- - Enterprise
- - Organizations
-shortTitle: Gerenciar organizações que não pertencem a você
----
-
-{% data reusables.enterprise-accounts.access-enterprise %}
-2. À direita do campo de pesquisa, clique **X sem proprietário**. 
-3. À direita da organização da qual você deseja assumir a propriedade, clique em **Tornar-se proprietário**. 
-4. Leia o alerta e clique em **Tornar-se proprietário**. 
diff --git a/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/customizing-user-messages-for-your-enterprise.md b/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/customizing-user-messages-for-your-enterprise.md
index 068b6e3b19..5faa68ebf3 100644
--- a/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/customizing-user-messages-for-your-enterprise.md
+++ b/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/customizing-user-messages-for-your-enterprise.md
@@ -108,8 +108,8 @@ Você também pode definir um banner de anúncio no shell administrativo usando
1. {% ifversion ghes or ghae %}À direita de{% else %}em{% endif %} "Anúncio", clique em **Adicionar anúncio**. 
1. Em "Anúncio", no campo de texto, digite o anúncio que deseja exibir em um banner. 
1. Opcionalmente, em "Expira em", selecione o menu suspenso do calendário e clique em uma data de validade. {% ifversion ghe-announce-dismiss %}
-1. Optionally, to allow each user to dismiss the announcement, select **User dismissible**.
+1. Opcionalmente, para permitir que cada usuário ignore o aviso, selecione **Usuário dispensável**.
- {% endif %}
+ {% endif %}
{% data reusables.enterprise_site_admin_settings.message-preview-save %}
{% endif %}
diff --git a/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/viewing-people-in-your-enterprise.md b/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/viewing-people-in-your-enterprise.md
index b6ae7d2858..09f7f90c3e 100644
--- a/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/viewing-people-in-your-enterprise.md
+++ b/translations/pt-BR/content/admin/user-management/managing-users-in-your-enterprise/viewing-people-in-your-enterprise.md
@@ -64,7 +64,6 @@ Você pode ver mais informações sobre o acesso da pessoa à sua empresa como,
{% endif %}
-
{% ifversion ghec %}
## Visualizando convites pendentes
@@ -92,7 +91,6 @@ Se você usar {% data variables.product.prodname_vss_ghe %}, a lista de convites

-
## Visualizando integrantes suspensos em um {% data variables.product.prodname_emu_enterprise %}
Se sua empresa usa {% data variables.product.prodname_emus %}, você também pode visualizar usuários suspensos. Os usuários suspensos são integrantes que foram desprovisionados depois que o aplicativo de {% data variables.product.prodname_emu_idp_application %} cancelou ou excluiu sua atribuição do provedor de identidade. Para obter mais informações, consulte[Sobre usuários gerenciados pela empresa](/admin/identity-and-access-management/managing-iam-with-enterprise-managed-users/about-enterprise-managed-users)".
@@ -107,7 +105,7 @@ Se sua empresa usa {% data variables.product.prodname_emus %}, você também pod
Você pode ver uma lista de todos os usuários desativados {% ifversion ghes or ghae %} que não foram suspensos e {% endif %}que não são administradores do site. {% data reusables.enterprise-accounts.dormant-user-activity-threshold %} Para obter mais informações, consulte "[Gerenciar usuários inativos](/admin/user-management/managing-users-in-your-enterprise/managing-dormant-users)".
-{% ifversion ghec or ghes > 3.1 %}
+{% ifversion ghec or ghes %}
## Visualizando os integrantes sem um endereço de e-mail de um domínio verificado
Você pode visualizar uma lista de integrantes da sua empresa que não têm um endereço de e-mail a partir de um domínio verificado associado à sua conta de usuário em {% data variables.product.prodname_dotcom_the_website %}.
diff --git a/translations/pt-BR/content/authentication/connecting-to-github-with-ssh/generating-a-new-ssh-key-and-adding-it-to-the-ssh-agent.md b/translations/pt-BR/content/authentication/connecting-to-github-with-ssh/generating-a-new-ssh-key-and-adding-it-to-the-ssh-agent.md
index aeeb93f486..c78c483fad 100644
--- a/translations/pt-BR/content/authentication/connecting-to-github-with-ssh/generating-a-new-ssh-key-and-adding-it-to-the-ssh-agent.md
+++ b/translations/pt-BR/content/authentication/connecting-to-github-with-ssh/generating-a-new-ssh-key-and-adding-it-to-the-ssh-agent.md
@@ -21,11 +21,8 @@ shortTitle: Gerar nova chave SSH
Se você ainda não tem uma chave SSH, você deve gerar uma nova chave SSH para usar para a autenticação. Se você não tem certeza se já tem uma chave SSH, você pode verificar se há chaves existentes. Para obter mais informações, consulte "[Verificar as chaves SSH existentes](/github/authenticating-to-github/checking-for-existing-ssh-keys)".
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
-
Se você deseja usar uma chave de segurança de hardware para efetuar a autenticação em {% data variables.product.product_name %}, você deverá gerar uma nova chave SSH para a sua chave de segurança de hardware. Você deve conectar a sua chave de segurança de hardware ao seu computador ao efetuar a a sua autenticação com o par de chaves. Para obter mais informações, consulte as [notas de versão do OpenSSH 8.2](https://www.openssh.com/txt/release-8.2).
-{% endif %}
Se não quiser reinserir a sua frase secreta toda vez que usar a sua chave SSH, você poderá adicionar sua chave ao agente SSH, que gerencia suas chaves SSH e lembra a sua frase secreta.
## Gerar uma nova chave SSH
@@ -191,7 +188,6 @@ Antes de adicionar uma nova chave SSH ao agente para gerenciar suas chaves, voc
{% endlinux %}
-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
## Gerar uma nova chave SSH para uma chave de segurança de hardware
Se você estiver usando macOS ou Linux, Talvez você precise atualizar seu cliente SSH ou instalar um novo cliente SSH antes de gerar uma nova chave SSH. Para obter mais informações, consulte "[Error: Unknown key type](/github/authenticating-to-github/error-unknown-key-type)."
@@ -247,7 +243,6 @@ Se você estiver usando macOS ou Linux, Talvez você precise atualizar seu clien
```
7. Adicione a chave SSH à sua conta em {% data variables.product.prodname_dotcom %}. Para obter mais informações, consulte "[Adicionar uma nova chave SSH à sua conta de {% data variables.product.prodname_dotcom %}](/github/authenticating-to-github/adding-a-new-ssh-key-to-your-github-account)".
-{% endif %}
## Leia mais
diff --git a/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/about-authentication-to-github.md b/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/about-authentication-to-github.md
index 7cb53834cd..69b4de8a83 100644
--- a/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/about-authentication-to-github.md
+++ b/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/about-authentication-to-github.md
@@ -112,8 +112,6 @@ Se você efetuar a autenticação sem {% data variables.product.prodname_cli %},
Para usar um token de acesso pessoal ou chave SSH para acessar recursos pertencentes a uma organização que usa o logon único SAML, você também deve autorizar o token pessoal ou chave SSH. Para mais informações, consulte "[Autorizando um token de acesso pessoal para usar com logon único SAML ](/enterprise-cloud@latest/authentication/authenticating-with-saml-single-sign-on/authorizing-a-personal-access-token-for-use-with-saml-single-sign-on)" ou "[Autorizando uma chave SSH para usar com o logon único SAML](/enterprise-cloud@latest/authentication/authenticating-with-saml-single-sign-on/authorizing-an-ssh-key-for-use-with-saml-single-sign-on){% ifversion fpt %}" na documentação de {% data variables.product.prodname_ghe_cloud %}.{% else %}."{% endif %}{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
## Formatos de token de {% data variables.product.company_short %}
@@ -128,5 +126,3 @@ Para usar um token de acesso pessoal ou chave SSH para acessar recursos pertence
| Token de servidor para usuário para {% data variables.product.prodname_github_app %} | `ghs_` | "[Autenticar com {% data variables.product.prodname_github_apps %}](/developers/apps/authenticating-with-github-apps#authenticating-as-an-installation)" |
| Atualizar token para um {% data variables.product.prodname_github_app %} | `ghr_` | "[Atualizar tokens de acesso do usuário para servidor](/developers/apps/refreshing-user-to-server-access-tokens)" |
-
-{% endif %}
diff --git a/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/creating-a-personal-access-token.md b/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/creating-a-personal-access-token.md
index d93e9c7f88..3fd8aa03a3 100644
--- a/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/creating-a-personal-access-token.md
+++ b/translations/pt-BR/content/authentication/keeping-your-account-and-data-secure/creating-a-personal-access-token.md
@@ -55,7 +55,7 @@ Um token com nenhum escopo atribuído só pode acessar informações públicas.
8. Clique em **Generate token** (Gerar token). 
{% ifversion fpt or ghec %}

- {% elsif ghes > 3.1 or ghae %}
+ {% elsif ghes or ghae %}

{% else %}

diff --git a/translations/pt-BR/content/authentication/securing-your-account-with-two-factor-authentication-2fa/configuring-two-factor-authentication.md b/translations/pt-BR/content/authentication/securing-your-account-with-two-factor-authentication-2fa/configuring-two-factor-authentication.md
index 8187e025b2..129f348040 100644
--- a/translations/pt-BR/content/authentication/securing-your-account-with-two-factor-authentication-2fa/configuring-two-factor-authentication.md
+++ b/translations/pt-BR/content/authentication/securing-your-account-with-two-factor-authentication-2fa/configuring-two-factor-authentication.md
@@ -53,7 +53,7 @@ Um aplicativo de senhas avulsas por tempo limitado (TOTP, Time-based One-Time Pa
{% data reusables.user-settings.access_settings %}
{% data reusables.user-settings.security %}
{% data reusables.two_fa.enable-two-factor-authentication %}
-{%- ifversion fpt or ghec or ghes > 3.1 %}
+{%- ifversion fpt or ghec or ghes %}
5. Em "Autenticação de dois fatores", selecione **Configurar usando um aplicativo** e clique em **Continuar**.
6. Em "Verificação de autenticação", siga um dos passos abaixo:
- Faça a leitura do código QR com o app do dispositivo móvel. Após a leitura, o app exibirá um código de seis dígitos que pode ser inserido no {% data variables.product.product_name %}.
diff --git a/translations/pt-BR/content/authentication/troubleshooting-ssh/error-unknown-key-type.md b/translations/pt-BR/content/authentication/troubleshooting-ssh/error-unknown-key-type.md
index f25504a7a2..f6b496e8c7 100644
--- a/translations/pt-BR/content/authentication/troubleshooting-ssh/error-unknown-key-type.md
+++ b/translations/pt-BR/content/authentication/troubleshooting-ssh/error-unknown-key-type.md
@@ -3,7 +3,7 @@ title: 'Erro: Tipo de chave desconhecido'
intro: Este erro significa que o tipo de chave SSH que você usou não foi reconhecido ou não é compatível com o seu cliente SSH.
versions:
fpt: '*'
- ghes: '>=3.2'
+ ghes: '*'
ghae: '*'
ghec: '*'
topics:
diff --git a/translations/pt-BR/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md b/translations/pt-BR/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
index edfe9eba91..dc9a88a36e 100644
--- a/translations/pt-BR/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
+++ b/translations/pt-BR/content/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot.md
@@ -12,7 +12,7 @@ shortTitle: Cobrança para o GitHub Actions
Se você quiser usar {% data variables.product.prodname_copilot %}, você precisará de uma assinatura para a sua conta pessoal de {% data variables.product.prodname_dotcom %}. Para obter mais informações sobre {% data variables.product.prodname_copilot %}, consulte "[Sobre {% data variables.product.prodname_copilot %}](/en/copilot/overview-of-github-copilot/about-github-copilot)."
-Antes de iniciar uma assinatura paga, você pode configurar uma avaliação de 60 dias para avaliar {% data variables.product.prodname_copilot %}. Para iniciar o teste, você deverá escolher um ciclo de cobrança mensal ou anual e fornecer um método de pagamento. Se você não cancelar o teste antes do final dos 60 dias, o teste será convertido automaticamente em uma assinatura paga. Você pode cancelar sua avaliação de {% data variables.product.prodname_copilot %} a qualquer momento durante os 60 dias e não será cobrado. Se você cancelar antes do final do teste, você continuará tendo acesso a {% data variables.product.prodname_copilot %} até terminar o período de teste de 60 dias. Para obter mais informações, consulte [Gerenciando sua assinatura do GitHub Copilot](/en/billing/managing-billing-for-github-copilot/managing-your-github-copilot-subscription)".
+Antes de iniciar uma assinatura paga, você pode configurar uma avaliação de 60 dias para avaliar {% data variables.product.prodname_copilot %}. Para iniciar o teste, você deverá escolher um ciclo de cobrança mensal ou anual e fornecer um método de pagamento. Se você não cancelar o teste antes do final dos 60 dias, o teste será convertido automaticamente em uma assinatura paga. Você pode cancelar sua avaliação de {% data variables.product.prodname_copilot %} a qualquer momento durante os 60 dias e não será cobrado. Se você cancelar antes do final do teste, você continuará tendo acesso a {% data variables.product.prodname_copilot %} até terminar o período de teste de 60 dias. Para obter mais informações, consulte [Gerenciando sua assinatura do GitHub Copilot](/en/billing/managing-billing-for-github-copilot/managing-your-github-copilot-subscription)."
## Preços de {% data variables.product.prodname_copilot %}
diff --git a/translations/pt-BR/content/billing/managing-licenses-for-visual-studio-subscriptions-with-github-enterprise/about-visual-studio-subscriptions-with-github-enterprise.md b/translations/pt-BR/content/billing/managing-licenses-for-visual-studio-subscriptions-with-github-enterprise/about-visual-studio-subscriptions-with-github-enterprise.md
index 66507b4a76..e30199a20a 100644
--- a/translations/pt-BR/content/billing/managing-licenses-for-visual-studio-subscriptions-with-github-enterprise/about-visual-studio-subscriptions-with-github-enterprise.md
+++ b/translations/pt-BR/content/billing/managing-licenses-for-visual-studio-subscriptions-with-github-enterprise/about-visual-studio-subscriptions-with-github-enterprise.md
@@ -29,7 +29,7 @@ Para obter mais informações sobre a configuração de {% data variables.produc
## Sobre as licenças para {% data variables.product.prodname_vss_ghe %}
-Depois de atribuir uma licença de {% data variables.product.prodname_vss_ghe %} a um assinante, o integrante usará a parte {% data variables.product.prodname_enterprise %} da licença, juntando-se a uma organização na sua empresa com uma conta pessoal no {% data variables.product.prodname_dotcom_the_website %}. If the verified email address for the personal account of an enterprise member on {% data variables.product.prodname_dotcom_the_website %} matches the User Primary Name (UPN) for a subscriber to your {% data variables.product.prodname_vs %} account, the {% data variables.product.prodname_vs %} subscriber will automatically consume one license for {% data variables.product.prodname_vss_ghe %}.
+Depois de atribuir uma licença de {% data variables.product.prodname_vss_ghe %} a um assinante, o integrante usará a parte {% data variables.product.prodname_enterprise %} da licença, juntando-se a uma organização na sua empresa com uma conta pessoal no {% data variables.product.prodname_dotcom_the_website %}. Se o endereço de e-mail berificado para a conta pessoal de um integrante corporativo em {% data variables.product.prodname_dotcom_the_website %} corresponde ao Nome Principal do Usuário (UPN) de um assinante da sua conta {% data variables.product.prodname_vs %} o assinante de {% data variables.product.prodname_vs %} consumirá automaticamente uma licença para {% data variables.product.prodname_vss_ghe %}.
A quantidade total de suas licenças para a sua empresa em {% data variables.product.prodname_dotcom %} é a soma de qualquer licença padrão de {% data variables.product.prodname_enterprise %} e o número de licenças de assinatura {% data variables.product.prodname_vs %} que incluem acesso a {% data variables.product.prodname_dotcom %}. Se a conta pessoal de um integrante corporativo não corresponde ao endereço de e-mail de um assinante de {% data variables.product.prodname_vs %}, a licença que a conta pessoal consome não estará disponível para um assinante de {% data variables.product.prodname_vs %}.
diff --git a/translations/pt-BR/content/billing/managing-your-license-for-github-enterprise/troubleshooting-license-usage-for-github-enterprise.md b/translations/pt-BR/content/billing/managing-your-license-for-github-enterprise/troubleshooting-license-usage-for-github-enterprise.md
index 17573cdace..61722de489 100644
--- a/translations/pt-BR/content/billing/managing-your-license-for-github-enterprise/troubleshooting-license-usage-for-github-enterprise.md
+++ b/translations/pt-BR/content/billing/managing-your-license-for-github-enterprise/troubleshooting-license-usage-for-github-enterprise.md
@@ -71,7 +71,7 @@ Ao tentar combinar usuários em todas as empresas, {% data variables.product.com
O uso da sua licença é recalculado logo após a realização de cada sincronização. Você pode ver o registro de hora do último trabalho de sincronização da licença e, se um trabalho não foi executado desde que um endereço de e-mail foi atualizado ou verificado, para resolver um problema com o seu relatório de licença consumida, você pode acionar um manualmente Para obter mais informações, consulte "[Uso da licença de sincronização entre o GitHub Enterprise Server e o GitHub Enterprise Cloud](/billing/managing-your-license-for-github-enterprise/syncing-license-usage-between-github-enterprise-server-and-github-enterprise-cloud)".
-{% ifversion ghec or ghes > 3.1 %}
+{% ifversion ghec or ghes %}
Se a empresa usa domínios verificados, revise a lista de integrantes da empresa que não possuem um endereço de e-mail de um domínio verificado associado à sua conta de {% data variables.product.prodname_dotcom_the_website %}. Frequentemente, estes são os usuários que consomem erroneamente mais de uma estação licenciada. Para obter mais informações, consulte "[Visualizando integrantes sem um endereço de e-mail de um domínio verificado](/admin/user-management/managing-users-in-your-enterprise/viewing-people-in-your-enterprise#viewing-members-without-an-email-address-from-a-verified-domain)".
{% endif %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts.md
index 59cc299656..2a47e6a9f7 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts.md
@@ -25,7 +25,7 @@ By default, {% data variables.product.prodname_code_scanning %} analyzes your co
## About alert details
-Each alert highlights a problem with the code and the name of the tool that identified it. You can see the line of code that triggered the alert, as well as properties of the alert, such as the alert severity{% ifversion fpt or ghes > 3.1 or ghae or ghec %}, security severity,{% endif %} and the nature of the problem. Alerts also tell you when the issue was first introduced. For alerts identified by {% data variables.product.prodname_codeql %} analysis, you will also see information on how to fix the problem.
+Each alert highlights a problem with the code and the name of the tool that identified it. You can see the line of code that triggered the alert, as well as properties of the alert, such as the alert severity, security severity, and the nature of the problem. Alerts also tell you when the issue was first introduced. For alerts identified by {% data variables.product.prodname_codeql %} analysis, you will also see information on how to fix the problem.
{% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6249 %}
{% data reusables.code-scanning.alert-default-branch %}
@@ -45,16 +45,15 @@ When {% data variables.product.prodname_code_scanning %} reports data-flow alert
Alert severity levels may be `Error`, `Warning`, or `Note`.
-If {% data variables.product.prodname_code_scanning %} is enabled as a pull request check, the check will fail if it detects any results with a severity of `error`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}You can specify which severity level of code scanning alerts causes a check failure. For more information, see "[Defining the severities causing pull request check failure](/code-security/secure-coding/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)."{% endif %}
+If {% data variables.product.prodname_code_scanning %} is enabled as a pull request check, the check will fail if it detects any results with a severity of `error`. You can specify which severity level of code scanning alerts causes a check failure. For more information, see "[Defining the severities causing pull request check failure](/code-security/secure-coding/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)."
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### About security severity levels
{% data variables.product.prodname_code_scanning_capc %} displays security severity levels for alerts that are generated by security queries. Security severity levels can be `Critical`, `High`, `Medium`, or `Low`.
To calculate the security severity of an alert, we use Common Vulnerability Scoring System (CVSS) data. CVSS is an open framework for communicating the characteristics and severity of software vulnerabilities, and is commonly used by other security products to score alerts. For more information about how severity levels are calculated, see [this blog post](https://github.blog/changelog/2021-07-19-codeql-code-scanning-new-severity-levels-for-security-alerts/).
-By default, any {% data variables.product.prodname_code_scanning %} results with a security severity of `Critical` or `High` will cause a check failure. You can specify which security severity level for {% data variables.product.prodname_code_scanning %} results should cause a check failure. For more information, see "[Defining the severities causing pull request check failure](/code-security/secure-coding/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)."{% endif %}
+By default, any {% data variables.product.prodname_code_scanning %} results with a security severity of `Critical` or `High` will cause a check failure. You can specify which security severity level for {% data variables.product.prodname_code_scanning %} results should cause a check failure. For more information, see "[Defining the severities causing pull request check failure](/code-security/secure-coding/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)."
{% ifversion fpt or ghes > 3.4 or ghae-issue-6251 or ghec %}
### About analysis origins
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-with-codeql.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-with-codeql.md
index 3f46adbf7d..cc1eedd907 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-with-codeql.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-with-codeql.md
@@ -32,7 +32,7 @@ Existem duas maneiras principais de usar {% data variables.product.prodname_code
{% ifversion ghes or ghae %}
{% note %}
-On {% data variables.product.product_name %} {% ifversion ghes %}{{ allVersions[currentVersion].currentRelease }},{% endif %} the {% data variables.product.prodname_codeql %} action uses {% data variables.product.prodname_codeql_cli %} version {% data variables.product.codeql_cli_ghes_recommended_version %} by default. We recommend that you use the same version of the {% data variables.product.prodname_codeql_cli %} if you run analysis in an external CI system.
+Em {% data variables.product.product_name %} {% ifversion ghes %}{{ allVersions[currentVersion].currentRelease }},{% endif %} a ação de {% data variables.product.prodname_codeql %} usa a versão de {% data variables.product.prodname_codeql_cli %} {% data variables.product.codeql_cli_ghes_recommended_version %} por padrão. Recomendamos que você use a mesma versão do {% data variables.product.prodname_codeql_cli %} se você executar a análise em um sistema CI externo.
{% endnote %}
{% endif %}
@@ -40,32 +40,32 @@ On {% data variables.product.product_name %} {% ifversion ghes %}{{ allVersions[
## Sobre o {% data variables.product.prodname_codeql %}
-{% data variables.product.prodname_codeql %} treats code like data, allowing you to find potential vulnerabilities in your code with greater confidence than traditional static analyzers.
+O {% data variables.product.prodname_codeql %} trata o código como dados, permitindo que você encontre possíveis vulnerabilidades no seu código com maior confiança do que os analisadores estáticos tradicionais.
1. Você gera um banco de dados de {% data variables.product.prodname_codeql %} para representar a sua base de código.
2. Em seguida, você executa consultas de {% data variables.product.prodname_codeql %} nesse banco de dados para identificar problemas na base de código.
3. Os resultados da consulta são exibidos como alertas de {% data variables.product.prodname_code_scanning %} em {% data variables.product.product_name %} quando você usa {% data variables.product.prodname_codeql %} com {% data variables.product.prodname_code_scanning %}.
-{% data variables.product.prodname_codeql %} supports both compiled and interpreted languages, and can find vulnerabilities and errors in code that's written in the supported languages.
+O {% data variables.product.prodname_codeql %} é compatível com linguagens compiladas e interpretadas e é capaz de encontrar vulnerabilidades e erros no código escrito nas linguagens compatíveis.
{% data reusables.code-scanning.codeql-languages-bullets %}
## Sobre consultas de {% data variables.product.prodname_codeql %}
-{% data variables.product.company_short %} experts, security researchers, and community contributors write and maintain the default {% data variables.product.prodname_codeql %} queries used for {% data variables.product.prodname_code_scanning %}. The queries are regularly updated to improve analysis and reduce any false positive results. The queries are open source, so you can view and contribute to the queries in the [`github/codeql`](https://github.com/github/codeql) repository. For more information, see [{% data variables.product.prodname_codeql %}](https://codeql.github.com/) on the {% data variables.product.prodname_codeql %} website. You can also write your own queries. For more information, see "[About {% data variables.product.prodname_codeql %} queries](https://codeql.github.com/docs/writing-codeql-queries/about-codeql-queries/)" in the {% data variables.product.prodname_codeql %} documentation.
+{% data variables.product.company_short %} especialistas, pesquisadores de segurança e contribuidores da comunidade escrevem e mantêm as consultas padrão de {% data variables.product.prodname_codeql %} usadas por {% data variables.product.prodname_code_scanning %}. As consultas são regularmente atualizadas para melhorar a análise e reduzir quaisquer resultados falso-positivos. As consultas são de código aberto. Portanto, você pode ver e contribuir para as consultas no repositório [`github/codeql`](https://github.com/github/codeql). Para obter mais informações, consulte [{% data variables.product.prodname_codeql %}](https://codeql.github.com/) no site {% data variables.product.prodname_codeql %}. Você também pode escrever suas próprias consultas. Para obter mais informações, consulte "[Sobre as consultas de {% data variables.product.prodname_codeql %} ](https://codeql.github.com/docs/writing-codeql-queries/about-codeql-queries/)" na documentação do {% data variables.product.prodname_codeql %}.
-You can run additional queries as part of your code scanning analysis.
+Você pode executar consultas adicionais como parte da sua análise de digitalização de código.
{%- ifversion codeql-packs %}
-These queries must belong to a published {% data variables.product.prodname_codeql %} query pack (beta) or a QL pack in a repository. {% data variables.product.prodname_codeql %} packs (beta) provide the following benefits over traditional QL packs:
+Essas consultas devem pertencer a um pacote de consulta de {% data variables.product.prodname_codeql %} publicado (beta) ou um pacote QL em um repositório. Os pacotes (beta) de {% data variables.product.prodname_codeql %} oferecem os seguintes benefícios sobre os pacotes QL tradicionais:
- Quando um pacote de consulta (beta) {% data variables.product.prodname_codeql %} é publicado em {% data variables.product.company_short %} {% data variables.product.prodname_container_registry %}, todas as dependências transitórias exigidas pelas consultas e um cache de compilação estão incluídas no pacote. Isto melhora o desempenho e garante que a execução de consultas no pacote dê resultados idênticos toda vez até que você fizer a autalização para uma nova versão do pacote ou para o CLI.
- Os pacotes de QL não incluem dependências transitórias. Portanto, as consultas no pacote podem depender apenas das bibliotecas padrão (ou seja, as bibliotecas referenciadas por uma instrução `LINGUAGEM de importação` na sua consulta), ou bibliotecas no mesmo pacote QL da consulta.
-For more information, see "[About {% data variables.product.prodname_codeql %} packs](https://codeql.github.com/docs/codeql-cli/about-codeql-packs/)" and "[About {% data variables.product.prodname_ql %} packs](https://codeql.github.com/docs/codeql-cli/about-ql-packs/)" in the {% data variables.product.prodname_codeql %} documentation.
+Para obter mais informações, consulte "[Sobre pacotes de {% data variables.product.prodname_codeql %}](https://codeql.github.com/docs/codeql-cli/about-codeql-packs/)" e "[Sobre pacotes de {% data variables.product.prodname_ql %}](https://codeql.github.com/docs/codeql-cli/about-ql-packs/)" na documentação de {% data variables.product.prodname_codeql %}.
{% data reusables.code-scanning.beta-codeql-packs-cli %}
{%- else %}
-The queries you want to run must belong to a QL pack in a repository. Queries must only depend on the standard libraries (that is, the libraries referenced by an `import LANGUAGE` statement in your query), or libraries in the same QL pack as the query. For more information, see "[About {% data variables.product.prodname_ql %} packs](https://codeql.github.com/docs/codeql-cli/about-ql-packs/)."
+As consultas que você deseja executar devem pertencer a um pacote QL em um repositório. As consultas só devem depender das bibliotecas-padrão (ou seja, as bibliotecas referenciadas por uma declaração de `LINGUAGEM de importação` na sua consulta), ou bibliotecas no mesmo pacote QL da consulta. Para obter mais informações, consulte "[Sobre os pacotes de {% data variables.product.prodname_ql %}](https://codeql.github.com/docs/codeql-cli/about-ql-packs/).
{% endif %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning.md
index b7b13dab19..89a7a591d4 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning.md
@@ -89,21 +89,15 @@ If you scan pull requests, then the results appear as alerts in a pull request c
Using the `pull_request` trigger, configured to scan the pull request's merge commit rather than the head commit, will produce more efficient and accurate results than scanning the head of the branch on each push. However, if you use a CI/CD system that cannot be configured to trigger on pull requests, you can still use the `on:push` trigger and {% data variables.product.prodname_code_scanning %} will map the results to open pull requests on the branch and add the alerts as annotations on the pull request. For more information, see "[Scanning on push](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning#scanning-on-push)."
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### Defining the severities causing pull request check failure
-By default, only alerts with the severity level of `Error`{% ifversion fpt or ghes > 3.1 or ghae or ghec %} or security severity level of `Critical` or `High`{% endif %} will cause a pull request check failure, and a check will still succeed with alerts of lower severities. You can change the levels of alert severities{% ifversion fpt or ghes > 3.1 or ghae or ghec %} and of security severities{% endif %} that will cause a pull request check failure in your repository settings. For more information about severity levels, see "[About code scanning alerts](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts#about-alert-details)."
+By default, only alerts with the severity level of `Error` or security severity level of `Critical` or `High` will cause a pull request check failure, and a check will still succeed with alerts of lower severities. You can change the levels of alert severities and of security severities that will cause a pull request check failure in your repository settings. For more information about severity levels, see "[About code scanning alerts](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts#about-alert-details)."
{% data reusables.repositories.navigate-to-repo %}
{% data reusables.repositories.sidebar-settings %}
{% data reusables.repositories.navigate-to-code-security-and-analysis %}
1. Under "Code scanning", to the right of "Check Failure", use the drop-down menu to select the level of severity you would like to cause a pull request check failure.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}

-{% else %}
-
-{% endif %}
-{% endif %}
### Avoiding unnecessary scans of pull requests
@@ -186,7 +180,6 @@ jobs:
For recommended specifications (RAM, CPU cores, and disk) for running {% data variables.product.prodname_codeql %} analysis{% ifversion not ghes %} on self-hosted machines{% endif %}, see "[Recommended hardware resources for running {% data variables.product.prodname_codeql %}](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/recommended-hardware-resources-for-running-codeql)."
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Specifying the location for {% data variables.product.prodname_codeql %} databases
In general, you do not need to worry about where the {% data variables.product.prodname_codeql_workflow %} places {% data variables.product.prodname_codeql %} databases since later steps will automatically find databases created by previous steps. However, if you are writing a custom workflow step that requires the {% data variables.product.prodname_codeql %} database to be in a specific disk location, for example to upload the database as a workflow artifact, you can specify that location using the `db-location` parameter under the `init` action.
@@ -200,7 +193,6 @@ In general, you do not need to worry about where the {% data variables.product.p
The {% data variables.product.prodname_codeql_workflow %} will expect the path provided in `db-location` to be writable, and either not exist, or be an empty directory. When using this parameter in a job running on a self-hosted runner or using a Docker container, it's the responsibility of the user to ensure that the chosen directory is cleared between runs, or that the databases are removed once they are no longer needed. {% ifversion fpt or ghec or ghes %} This is not necessary for jobs running on {% data variables.product.prodname_dotcom %}-hosted runners, which obtain a fresh instance and a clean filesystem each time they run. For more information, see "[About {% data variables.product.prodname_dotcom %}-hosted runners](/actions/using-github-hosted-runners/about-github-hosted-runners)."{% endif %}
If this parameter is not used, the {% data variables.product.prodname_codeql_workflow %} will create databases in a temporary location of its own choice.
-{% endif %}
## Changing the languages that are analyzed
@@ -246,10 +238,10 @@ Alternatively, you can install Python dependencies manually on any operating sys
```yaml
jobs:
CodeQL-Build:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
security-events: write
- actions: read{% endif %}
+ actions: read
steps:
- name: Checkout repository
@@ -277,7 +269,6 @@ jobs:
```
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Configuring a category for the analysis
Use `category` to distinguish between multiple analyses for the same tool and commit, but performed on different languages or different parts of the code. The category you specify in your workflow will be included in the SARIF results file.
@@ -302,8 +293,6 @@ The `category` value will appear as the `.automationDetails.id` property in
Your specified category will not overwrite the details of the `runAutomationDetails` object in the SARIF file, if included.
-{% endif %}
-
## Running additional queries
{% data reusables.code-scanning.run-additional-queries %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/managing-code-scanning-alerts-for-your-repository.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/managing-code-scanning-alerts-for-your-repository.md
index a5a1c7e06d..6a9199e798 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/managing-code-scanning-alerts-for-your-repository.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/managing-code-scanning-alerts-for-your-repository.md
@@ -37,17 +37,13 @@ Por padrão, a página de verificação de código de alertas é filtrada para m
{% data reusables.repositories.navigate-to-repo %}
{% data reusables.repositories.sidebar-security %}
{% data reusables.repositories.sidebar-code-scanning-alerts %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-1. Opcionalmente, use a caixa de pesquisa de texto livre ou os menus suspensos para filtrar alertas. Por exemplo, você pode filtrar pela ferramenta usada para identificar alertas. {% endif %}
+1. Opcionalmente, use a caixa de pesquisa de texto livre ou os menus suspensos para filtrar alertas. Por exemplo, você pode filtrar pela ferramenta usada para identificar alertas. 
{% data reusables.code-scanning.explore-alert %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- 
-{% else %}
- 
-{% endif %}
+
+
{% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6249 %}
{% data reusables.code-scanning.alert-default-branch %}
- {% endif %}
+ {% endif %}
1. Opcionalmente, se o alerta destacar um problema com o fluxo de dados, clique em **Mostrar caminhos** para exibir o caminho da fonte de dados até o destino onde é usado.
{% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6249 %}

@@ -58,7 +54,6 @@ Por padrão, a página de verificação de código de alertas é filtrada para m
Para obter mais informações, consulte "[Sobre alertas de {% data variables.product.prodname_code_scanning %}](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts)".
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% note %}
**Observação:** Para análise de {% data variables.product.prodname_code_scanning %} com {% data variables.product.prodname_codeql %}, você pode ver informações sobre a última execução em um cabeçalho na parte superior da lista de alertas de {% data variables.product.prodname_code_scanning %} para o repositório.
@@ -66,7 +61,6 @@ Para obter mais informações, consulte "[Sobre alertas de {% data variables.pro
Por exemplo, você pode ver quando o último scanner foi executada, o número de linhas de código analisadas em comparação com o número total de linhas de código no seu repositório, e o número total de alertas gerados. 
{% endnote %}
-{% endif %}
## Filtrando alertas de {% data variables.product.prodname_code_scanning %}
@@ -97,7 +91,7 @@ Você pode prefixar o filtro `tag` com `-` para excluir resultados com essa tag.
Você pode usar o filtro "Apenas alertas no código do aplicativo" ou a palavra-chave `autofilter:true` e valor para restringir os resultados de alertas no código do aplicativo. Consulte "[Sobre etiquetas para alertas que não estão no código de aplicativos](#about-labels-for-alerts-that-are-not-found-in-application-code)" acima para mais informações sobre os tipos de código que não são código do aplicativo.
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}
## Pesquisando alertas de {% data variables.product.prodname_code_scanning %}
@@ -148,15 +142,11 @@ Qualquer pessoa com permissão de gravação para um repositório pode corrigir
Se você tem permissão de escrita em um repositório, você pode visualizar alertas corrigidos, vendo o resumo de alertas e clicando em **Fechado**. Para obter mais informações, consulte "[Visualizar os alertas de um repositório](#viewing-the-alerts-for-a-repository). A lista "Fechado" mostra alertas e alertas corrigidos que os usuários ignoraram.
-Você pode usar{% ifversion fpt or ghes > 3.1 or ghae or ghec %} a pesquisa de texto livre ou{% endif %} os filtros para exibir um subconjunto de alertas e, em seguida, marcar, por sua vez, todos os alertas correspondentes como fechados.
+Você pode usar a pesquisa de texto livre ou os filtros para exibir um subconjunto de alertas e, em seguida, marcar todos os alertas correspondentes como fechados.
Alertas podem ser corrigidos em um branch, mas não em outro. Você pode usar o filtro "Branch", no resumo dos alertas, para verificar se um alerta é corrigido em um branch específico.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}

-{% else %}
-
-{% endif %}
{% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6249 %}
{% data reusables.code-scanning.filter-non-default-branches %}
@@ -200,20 +190,17 @@ Para ignorar{% ifversion delete-code-scanning-alerts %}ou excluir{% endif %} ale

- Opcionalmente, você pode usar{% ifversion fpt or ghes > 3.1 or ghae or ghec %}} a pesquisa de texto livre ou{% endif %} os filtros para exibir um subconjunto de alertas e, em seguida, excluir todos os alertas correspondentes de uma só vez. Por exemplo, se você removeu uma consulta da análise de {% data variables.product.prodname_codeql %}, você pode usar o filtro "Regra" para listar apenas os alertas dessa consulta e, em seguida, selecionar e apagar todos esses alertas.
+ Opcionalmente, você pode usar a pesquisa de texto livre ou os filtros para exibir um subconjunto de alertas e, em seguida, excluir todos os alertas correspondentes de uma só vez. Por exemplo, se você removeu uma consulta da análise de {% data variables.product.prodname_codeql %}, você pode usar o filtro "Regra" para listar apenas os alertas dessa consulta e, em seguida, selecionar e apagar todos esses alertas.
-{% ifversion ghes > 3.1 or ghae %}
+{% ifversion ghes or ghae %}

{% else %}

{% endif %}{% endif %}
1. Se você deseja ignorar um alerta, é importante explorar primeiro o alerta para que você possa escolher o motivo correto para ignorá-lo. Clique no alerta que você deseja explorar.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- 
-{% else %}
- 
-{% endif %}
+
+
1. Revise o alerta e clique em {% ifversion comment-dismissed-code-scanning-alert %}**para ignorar o alerta** e escolher ou digitar um motivo para fechar o alerta. 
{% else %}**Ignorar** e escolher um motivo para fechar o alerta.

diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
index 710af2a5e8..5ea6f9f5ad 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/running-codeql-code-scanning-in-a-container.md
@@ -66,10 +66,10 @@ on:
jobs:
analyze:
name: Analyze
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
security-events: write
- actions: read{% endif %}
+ actions: read
strategy:
fail-fast: false
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/setting-up-code-scanning-for-a-repository.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/setting-up-code-scanning-for-a-repository.md
index 25fc46a9ec..986883acb4 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/setting-up-code-scanning-for-a-repository.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/setting-up-code-scanning-for-a-repository.md
@@ -131,11 +131,7 @@ Depois de configurar o {% data variables.product.prodname_code_scanning %} para
**Observação:** Se você criou um pull request para adicionar o fluxo de trabalho de {% data variables.product.prodname_code_scanning %} ao repositório, os alertas desse pull request não serão exibidos diretamente na página de {% data variables.product.prodname_code_scanning_capc %} até que o pull request seja mesclado. Se algum alerta for encontrado, você poderá visualizá-los, antes do merge do pull request, clicando no link dos **_n_ alertas encontrados** no banner na página de {% data variables.product.prodname_code_scanning_capc %}.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- 
-{% else %}
- 
-{% endif %}
+
{% endnote %}
@@ -173,11 +169,7 @@ Há outras situações em que não pode haver análise para o último commit do
Para verificar se um branch foi verificado, acesse a página {% data variables.product.prodname_code_scanning_capc %}, clique no menu suspenso **Branch** e selecione o branch relevante.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- 
-{% else %}
- 
-{% endif %}
+
A solução nesta situação é adicionar o nome do branch de base para a especificação `on:push` e `on:pull_request` no fluxo de trabalho de {% data variables.product.prodname_code_scanning %} nesse branch e, em seguida, fazer uma alteração que atualize o pull request aberto que você deseja escanear.
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/triaging-code-scanning-alerts-in-pull-requests.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/triaging-code-scanning-alerts-in-pull-requests.md
index 93e1ba5292..d07e2fc1f5 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/triaging-code-scanning-alerts-in-pull-requests.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/triaging-code-scanning-alerts-in-pull-requests.md
@@ -58,12 +58,11 @@ Para todas as configurações de {% data variables.product.prodname_code_scannin
### Falhas de verificação de resultados {% data variables.product.prodname_code_scanning_capc %}
-Se os resultados {% data variables.product.prodname_code_scanning %} encontrarem algum problema com uma gravidade de `erro`{% ifversion fpt or ghes > 3.1 or ghae or ghec %}, `grave` ou `alto`,{% endif %} a verificação irá falhar e o erro será relatado nos resultados da verificação. Se todos os resultados encontrados por {% data variables.product.prodname_code_scanning %} tiverem gravidades menores, os alertas serão tratados como avisos ou observações e a verificação será considerada bem-sucedida.
+Se os resultados da verificação de {% data variables.product.prodname_code_scanning %} encontrarem algum problema com uma gravidade de `error`, `critical` ou `alta`, a verificação irá falhar e o erro será relatado nos resultados de verificação. Se todos os resultados encontrados por {% data variables.product.prodname_code_scanning %} tiverem gravidades menores, os alertas serão tratados como avisos ou observações e a verificação será considerada bem-sucedida.

-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}Você pode substituir o comportamento padrão nas configurações do repositório, ao especificar o nível de gravidade {% ifversion fpt or ghes > 3.1 or ghae or ghec %}e gravidade de segurança {% endif %}que causarão uma falha de verificação de pull request. Para obter mais informações, consulte[Definir as gravidades causadoras da falha de verificação de pull request](/code-security/secure-coding/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)".
-{% endif %}
+Você pode substituir o comportamento padrão nas configurações do repositório, ao especificar o nível de gravidade e gravidade de segurança que causarão uma falha de verificação do pull request. Para obter mais informações, consulte[Definir as gravidades causadoras da falha de verificação de pull request](/code-security/secure-coding/configuring-code-scanning#defining-the-severities-causing-pull-request-check-failure)".
### Outras verificações de {% data variables.product.prodname_code_scanning %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/troubleshooting-the-codeql-workflow.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/troubleshooting-the-codeql-workflow.md
index d1ad5fe4cb..c372a0272f 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/troubleshooting-the-codeql-workflow.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/troubleshooting-the-codeql-workflow.md
@@ -74,10 +74,10 @@ Se ocorrer uma falha na uma criação automática de código para uma linguagem
```yaml
jobs:
- analyze:{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ analyze:
permissions:
security-events: write
- actions: read{% endif %}
+ actions: read
...
strategy:
fail-fast: false
@@ -164,7 +164,6 @@ O artefato conterá uma cópia arquivada dos arquivos de origem digitalizados po
{% data reusables.code-scanning.alerts-found-in-generated-code %}
-
## Erros de extração no banco de dados
A equipe de {% data variables.product.prodname_codeql %} trabalha constantemente em erros críticos de extração para garantir que todos os arquivos de origem possam ser digitalizados. No entanto, os extratores de {% data variables.product.prodname_codeql %} às vezes geram erros durante a criação do banco de dados. {% data variables.product.prodname_codeql %} fornece informações sobre erros de extração e avisos gerados durante a criação do banco de dados em um arquivo de registro. A informação sobre o diagnóstico de extração fornece uma indicação da saúde geral do banco de dados. A maioria dos erros dos extratores não impactam a análise significativamente. Um pequeno número de erros de extrator é saudável e normalmente indica um bom estado de análise.
@@ -177,7 +176,6 @@ No entanto, se você vir erros de extrator na grande maioria dos arquivos que fo
O recurso de {% data variables.product.prodname_codeql %} `autobuild` usa heurística para criar o código em um repositório. No entanto, às vezes, essa abordagem resulta em uma análise incompleta de um repositório. Por exemplo, quando uma compilação múltipla de `build.sh` existe em um único repositório, é possível que a análise não seja concluída, já que a etapa `autobuild` executará apenas um dos comandos. A solução é substituir a etapa `autobuild` pelas etapas de criação que criam todo o código-fonte que você deseja analisar. Para obter mais informações, consulte "[Configurar o fluxo de trabalho do {% data variables.product.prodname_codeql %} para linguagens compiladas](/code-security/secure-coding/configuring-the-codeql-workflow-for-compiled-languages#adding-build-steps-for-a-compiled-language)".
{% endif %}
-
## A criação demora muito tempo
Se a sua criação com a análise de {% data variables.product.prodname_codeql %} demorar muito para ser executada, existem várias abordagens que você pode tentar para reduzir o tempo de criação.
diff --git a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/viewing-code-scanning-logs.md b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/viewing-code-scanning-logs.md
index d3d2d0d439..8e08e8aba8 100644
--- a/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/viewing-code-scanning-logs.md
+++ b/translations/pt-BR/content/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/viewing-code-scanning-logs.md
@@ -23,7 +23,6 @@ shortTitle: Visualizar os registros de digitalização de código
Você pode usar uma série de ferramentas para configurar {% data variables.product.prodname_code_scanning %} no seu repositório. Para obter mais informações, consulte "[Configuração do {% data variables.product.prodname_code_scanning %} para um repositório](/code-security/secure-coding/automatically-scanning-your-code-for-vulnerabilities-and-errors/setting-up-code-scanning-for-a-repository#options-for-setting-up-code-scanning)".
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
A informação de registro e diagnóstico disponível para você depende do método que você usa para {% data variables.product.prodname_code_scanning %} no repositório. Você pode verificar o tipo de {% data variables.product.prodname_code_scanning %} que você está usando na aba **Segurança** do seu repositório, usando o menu suspenso **Ferramenta** na lista de alerta. Para obter mais informações, consulte "[Gerenciar alertas de {% data variables.product.prodname_code_scanning %} para o seu repositório](/code-security/secure-coding/automatically-scanning-your-code-for-vulnerabilities-and-errors/managing-code-scanning-alerts-for-your-repository#viewing-the-alerts-for-a-repository)".
## Sobre análise e informações de diagnóstico
@@ -46,7 +45,6 @@ Para obter informações sobre o {% data variables.product.prodname_codeql_cli %
{% data reusables.code-scanning.extractor-diagnostics %}
-{% endif %}
## Visualizar a saída do registro de {% data variables.product.prodname_code_scanning %}
Esta seção aplica-se à execução de {% data variables.product.prodname_code_scanning %} usando {% data variables.product.prodname_actions %} ({% data variables.product.prodname_codeql %} ou terceiros).
@@ -73,10 +71,6 @@ Depois de configurar o {% data variables.product.prodname_code_scanning %} para
**Observação:** Se você criou um pull request para adicionar o fluxo de trabalho de {% data variables.product.prodname_code_scanning %} ao repositório, os alertas desse pull request não serão exibidos diretamente na página de {% data variables.product.prodname_code_scanning_capc %} até que o pull request seja mesclado. Se algum alerta for encontrado, você poderá visualizá-los, antes do merge do pull request, clicando no link dos **_n_ alertas encontrados** no banner na página de {% data variables.product.prodname_code_scanning_capc %}.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- 
-{% else %}
- 
-{% endif %}
+
{% endnote %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/sarif-support-for-code-scanning.md b/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/sarif-support-for-code-scanning.md
index 1895448cd4..9e5df9d56f 100644
--- a/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/sarif-support-for-code-scanning.md
+++ b/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/sarif-support-for-code-scanning.md
@@ -33,7 +33,6 @@ To upload a SARIF file from a third-party static code analysis engine, you'll ne
If you're using {% data variables.product.prodname_actions %} with the {% data variables.product.prodname_codeql_workflow %}{% ifversion codeql-runner-supported %}, using the {% data variables.product.prodname_codeql_runner %},{% endif %} or using the {% data variables.product.prodname_codeql_cli %}, then the {% data variables.product.prodname_code_scanning %} results will automatically use the supported subset of SARIF 2.1.0. For more information, see "[Setting up {% data variables.product.prodname_code_scanning %} for a repository](/code-security/secure-coding/setting-up-code-scanning-for-a-repository)"{% ifversion codeql-runner-supported %}, "[Running {% data variables.product.prodname_codeql_runner %} in your CI system](/code-security/secure-coding/running-codeql-runner-in-your-ci-system)",{% endif %} or "[Installing CodeQL CLI in your CI system](/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system)."
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
You can upload multiple SARIF files for the same commit, and display the data from each file as {% data variables.product.prodname_code_scanning %} results. When you upload multiple SARIF files for a commit, you must indicate a "category" for each analysis. The way to specify a category varies according to the analysis method:
- Using the {% data variables.product.prodname_codeql_cli %} directly, pass the `--sarif-category` argument to the `codeql database analyze` command when you generate SARIF files. For more information, see "[Configuring CodeQL CLI in your CI system](/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-cli-in-your-ci-system#about-generating-code-scanning-results-with-codeql-cli)."
- Using {% data variables.product.prodname_actions %} with `codeql-action/analyze`, the category is set automatically from the workflow name and any matrix variables (typically, `language`). You can override this by specifying a `category` input for the action, which is useful when you analyze different sections of a mono-repository in a single workflow.
@@ -41,7 +40,6 @@ You can upload multiple SARIF files for the same commit, and display the data fr
- If you are not using either of these approaches, you must specify a unique `runAutomationDetails.id` in each SARIF file to upload. For more information about this property, see [`runAutomationDetails` object](#runautomationdetails-object) below.
If you upload a second SARIF file for a commit with the same category and from the same tool, the earlier results are overwritten. However, if you try to upload multiple SARIF files for the same tool and category in a single {% data variables.product.prodname_actions %} workflow run, the misconfiguration is detected and the run will fail.
-{% endif %}
{% data variables.product.prodname_dotcom %} uses properties in the SARIF file to display alerts. For example, the `shortDescription` and `fullDescription` appear at the top of a {% data variables.product.prodname_code_scanning %} alert. The `location` allows {% data variables.product.prodname_dotcom %} to show annotations in your code file. For more information, see "[Managing {% data variables.product.prodname_code_scanning %} alerts for your repository](/code-security/secure-coding/managing-code-scanning-alerts-for-your-repository)."
@@ -110,9 +108,9 @@ Any valid SARIF 2.1.0 output file can be uploaded, however, {% data variables.pr
| `help.text` | **Required.** Documentation for the rule using text format. {% data variables.product.prodname_code_scanning_capc %} displays this help documentation next to the associated results.
| `help.markdown` | **Recommended.** Documentation for the rule using Markdown format. {% data variables.product.prodname_code_scanning_capc %} displays this help documentation next to the associated results. When `help.markdown` is available, it is displayed instead of `help.text`.
| `properties.tags[]` | **Optional.** An array of strings. {% data variables.product.prodname_code_scanning_capc %} uses `tags` to allow you to filter results on {% data variables.product.prodname_dotcom %}. For example, it is possible to filter to all results that have the tag `security`.
-| `properties.precision` | **Recommended.** A string that indicates how often the results indicated by this rule are true. For example, if a rule has a known high false-positive rate, the precision should be `low`. {% data variables.product.prodname_code_scanning_capc %} orders results by precision on {% data variables.product.prodname_dotcom %} so that the results with the highest `level`, and highest `precision` are shown first. Can be one of: `very-high`, `high`, `medium`, or `low`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `properties.precision` | **Recommended.** A string that indicates how often the results indicated by this rule are true. For example, if a rule has a known high false-positive rate, the precision should be `low`. {% data variables.product.prodname_code_scanning_capc %} orders results by precision on {% data variables.product.prodname_dotcom %} so that the results with the highest `level`, and highest `precision` are shown first. Can be one of: `very-high`, `high`, `medium`, or `low`.
| `properties.problem.severity` | **Recommended.** A string that indicates the level of severity of any alerts generated by a non-security query. This, with the `properties.precision` property, determines whether the results are displayed by default on {% data variables.product.prodname_dotcom %} so that the results with the highest `problem.severity`, and highest `precision` are shown first. Can be one of: `error`, `warning`, or `recommendation`.
-| `properties.security-severity` | **Recommended.** A string representing a score that indicates the level of severity, between 0.0 and 10.0, for security queries (`@tags` includes `security`). This, with the `properties.precision` property, determines whether the results are displayed by default on {% data variables.product.prodname_dotcom %} so that the results with the highest `security-severity`, and highest `precision` are shown first. {% data variables.product.prodname_code_scanning_capc %} translates numerical scores as follows: over 9.0 is `critical`, 7.0 to 8.9 is `high`, 4.0 to 6.9 is `medium` and 3.9 or less is `low`. {% endif %}
+| `properties.security-severity` | **Recommended.** A string representing a score that indicates the level of severity, between 0.0 and 10.0, for security queries (`@tags` includes `security`). This, with the `properties.precision` property, determines whether the results are displayed by default on {% data variables.product.prodname_dotcom %} so that the results with the highest `security-severity`, and highest `precision` are shown first. {% data variables.product.prodname_code_scanning_capc %} translates numerical scores as follows: over 9.0 is `critical`, 7.0 to 8.9 is `high`, 4.0 to 6.9 is `medium` and 3.9 or less is `low`.
### `result` object
@@ -150,7 +148,6 @@ A location within a programming artifact, such as a file in the repository or a
| `region.endLine` | **Required.** The line number of the last character in the region.
| `region.endColumn` | **Required.** The column number of the character following the end of the region.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### `runAutomationDetails` object
The `runAutomationDetails` object contains information that specifies the identity of a run.
@@ -187,8 +184,6 @@ For more information about the `runAutomationDetails` object and the `id` field,
Note that the rest of the supported fields are ignored.
-{% endif %}
-
## SARIF output file examples
These example SARIF output files show supported properties and example values.
@@ -255,7 +250,6 @@ This SARIF output file has example values to show the minimum required propertie
This SARIF output file has example values to show all supported SARIF properties for {% data variables.product.prodname_code_scanning %}.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
```json
{
"$schema": "https://json.schemastore.org/sarif-2.1.0.json",
@@ -508,254 +502,4 @@ This SARIF output file has example values to show all supported SARIF properties
]
}
```
-{% else %}
-```json
-{
- "$schema": "https://json.schemastore.org/sarif-2.1.0.json",
- "version": "2.1.0",
- "runs": [
- {
- "tool": {
- "driver": {
- "name": "Tool Name",
- "semanticVersion": "2.0.0",
- "rules": [
- {
- "id": "3f292041e51d22005ce48f39df3585d44ce1b0ad",
- "name": "js/unused-local-variable",
- "shortDescription": {
- "text": "Unused variable, import, function or class"
- },
- "fullDescription": {
- "text": "Unused variables, imports, functions or classes may be a symptom of a bug and should be examined carefully."
- },
- "defaultConfiguration": {
- "level": "note"
- },
- "properties": {
- "tags": [
- "maintainability"
- ],
- "precision": "very-high"
- }
- },
- {
- "id": "d5b664aefd5ca4b21b52fdc1d744d7d6ab6886d0",
- "name": "js/inconsistent-use-of-new",
- "shortDescription": {
- "text": "Inconsistent use of 'new'"
- },
- "fullDescription": {
- "text": "If a function is intended to be a constructor, it should always be invoked with 'new'. Otherwise, it should always be invoked as a normal function, that is, without 'new'."
- },
- "properties": {
- "tags": [
- "reliability",
- "correctness",
- "language-features"
- ],
- "precision": "very-high"
- }
- },
- {
- "id": "R01"
- }
- ]
- }
- },
- "results": [
- {
- "ruleId": "3f292041e51d22005ce48f39df3585d44ce1b0ad",
- "ruleIndex": 0,
- "message": {
- "text": "Unused variable foo."
- },
- "locations": [
- {
- "physicalLocation": {
- "artifactLocation": {
- "uri": "main.js",
- "uriBaseId": "%SRCROOT%"
- },
- "region": {
- "startLine": 2,
- "startColumn": 7,
- "endColumn": 10
- }
- }
- }
- ],
- "partialFingerprints": {
- "primaryLocationLineHash": "39fa2ee980eb94b0:1",
- "primaryLocationStartColumnFingerprint": "4"
- }
- },
- {
- "ruleId": "d5b664aefd5ca4b21b52fdc1d744d7d6ab6886d0",
- "ruleIndex": 1,
- "message": {
- "text": "Function resolvingPromise is sometimes invoked as a constructor (for example [here](1)), and sometimes as a normal function (for example [here](2))."
- },
- "locations": [
- {
- "physicalLocation": {
- "artifactLocation": {
- "uri": "src/promises.js",
- "uriBaseId": "%SRCROOT%"
- },
- "region": {
- "startLine": 2
- }
- }
- }
- ],
- "partialFingerprints": {
- "primaryLocationLineHash": "5061c3315a741b7d:1",
- "primaryLocationStartColumnFingerprint": "7"
- },
- "relatedLocations": [
- {
- "id": 1,
- "physicalLocation": {
- "artifactLocation": {
- "uri": "src/ParseObject.js",
- "uriBaseId": "%SRCROOT%"
- },
- "region": {
- "startLine": 2281,
- "startColumn": 33,
- "endColumn": 55
- }
- },
- "message": {
- "text": "here"
- }
- },
- {
- "id": 2,
- "physicalLocation": {
- "artifactLocation": {
- "uri": "src/LiveQueryClient.js",
- "uriBaseId": "%SRCROOT%"
- },
- "region": {
- "startLine": 166
- }
- },
- "message": {
- "text": "here"
- }
- }
- ]
- },
- {
- "ruleId": "R01",
- "message": {
- "text": "Specifying both [ruleIndex](1) and [ruleID](2) might lead to inconsistencies."
- },
- "level": "error",
- "locations": [
- {
- "physicalLocation": {
- "artifactLocation": {
- "uri": "full.sarif",
- "uriBaseId": "%SRCROOT%"
- },
- "region": {
- "startLine": 54,
- "startColumn": 10,
- "endLine": 55,
- "endColumn": 25
- }
- }
- }
- ],
- "relatedLocations": [
- {
- "id": 1,
- "physicalLocation": {
- "artifactLocation": {
- "uri": "full.sarif"
- },
- "region": {
- "startLine": 81,
- "startColumn": 10,
- "endColumn": 18
- }
- },
- "message": {
- "text": "here"
- }
- },
- {
- "id": 2,
- "physicalLocation": {
- "artifactLocation": {
- "uri": "full.sarif"
- },
- "region": {
- "startLine": 82,
- "startColumn": 10,
- "endColumn": 21
- }
- },
- "message": {
- "text": "here"
- }
- }
- ],
- "codeFlows": [
- {
- "threadFlows": [
- {
- "locations": [
- {
- "location": {
- "physicalLocation": {
- "region": {
- "startLine": 11,
- "endLine": 29,
- "startColumn": 10,
- "endColumn": 18
- },
- "artifactLocation": {
- "uriBaseId": "%SRCROOT%",
- "uri": "full.sarif"
- }
- },
- "message": {
- "text": "Rule has index 0"
- }
- }
- },
- {
- "location": {
- "physicalLocation": {
- "region": {
- "endColumn": 47,
- "startColumn": 12,
- "startLine": 12
- },
- "artifactLocation": {
- "uriBaseId": "%SRCROOT%",
- "uri": "full.sarif"
- }
- }
- }
- }
- ]
- }
- ]
- }
- ],
- "partialFingerprints": {
- "primaryLocationLineHash": "ABC:2"
- }
- }
- ],
- "columnKind": "utf16CodeUnits"
- }
- ]
-}
-```
-{% endif %}
+
diff --git a/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/uploading-a-sarif-file-to-github.md b/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/uploading-a-sarif-file-to-github.md
index 2450759800..ffd1b9554a 100644
--- a/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/uploading-a-sarif-file-to-github.md
+++ b/translations/pt-BR/content/code-security/code-scanning/integrating-with-code-scanning/uploading-a-sarif-file-to-github.md
@@ -84,13 +84,13 @@ on:
jobs:
build:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
# required for all workflows
security-events: write
# only required for workflows in private repositories
actions: read
- contents: read{% endif %}
+ contents: read
steps:
# This step checks out a copy of your repository.
- name: Checkout repository
@@ -125,13 +125,13 @@ on:
jobs:
build:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
# required for all workflows
security-events: write
# only required for workflows in private repositories
actions: read
- contents: read{% endif %}
+ contents: read
steps:
- uses: {% data reusables.actions.action-checkout %}
- name: Run npm install
diff --git a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/about-codeql-code-scanning-in-your-ci-system.md b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/about-codeql-code-scanning-in-your-ci-system.md
index 21554ce01c..f604d02e7d 100644
--- a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/about-codeql-code-scanning-in-your-ci-system.md
+++ b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/about-codeql-code-scanning-in-your-ci-system.md
@@ -33,7 +33,6 @@ redirect_from:
{% data reusables.code-scanning.codeql-context-for-actions-and-third-party-tools %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% data reusables.code-scanning.codeql-cli-context-for-third-party-tools %}
@@ -67,28 +66,5 @@ Desde a versão 2.6.3, o {% data variables.product.prodname_codeql_cli %} tem a
{% endif %}
-{% endif %}
-
-{% ifversion ghes < 3.2 %}
-Se você adicionar {% data variables.product.prodname_codeql_cli %} ou {% data variables.product.prodname_codeql_runner %} ao seu sistema de terceiros, chame a ferramenta para analisar o código e fazer o upload dos resultados SARIF para {% data variables.product.product_name %}. Os alertas de {% data variables.product.prodname_code_scanning %} resultantes são exibidos junto com todos os alertas gerados dentro de {% data variables.product.product_name %}.
-[{% data variables.product.prodname_codeql_cli %}](https://github.com/github/codeql-cli-binaries/releases) a versão 2.6.3 está disponível agora para {% data variables.product.prodname_ghe_server %} 3.0 ou versões posteriores. Para obter mais informações sobre migração para o {% data variables.product.prodname_codeql_cli %}, consulte "[Migrando do executador do CodeQL para a CLI do CodeQL](/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/migrating-from-the-codeql-runner-to-codeql-cli)".
-
-{% data reusables.code-scanning.upload-sarif-ghas %}
-
-## Comparar {% data variables.product.prodname_codeql_cli %} e {% data variables.product.prodname_codeql_runner %}
-
-{% data reusables.code-scanning.what-is-codeql-cli %}
-
-O {% data variables.product.prodname_codeql_runner %} é uma ferramenta de linha de comando obsoleta que usa o {% data variables.product.prodname_codeql_cli %} para analisar código e fazer o upload dos resultados para {% data variables.product.product_name %}. A ferramenta imita a análise executada nativamente dentro de {% data variables.product.product_name %} usando ações.
-
-{% data variables.product.prodname_codeql_cli %} 2.6.3 é uma substituição completa para o runner com paridade completa com recursos. De modo geral, é melhor usar o {% data variables.product.prodname_codeql_cli %} diretamente.
-
-Para obter mais informações, consulte "[Instalar {% data variables.product.prodname_codeql_cli %} no seu sistema de CI](/code-security/secure-coding/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system)".
-
-{% data reusables.code-scanning.deprecation-codeql-runner %}
-
-Para obter mais informações sobre o {% data variables.product.prodname_codeql_runner %}, consulte "[Executar {% data variables.product.prodname_codeql_runner %} no seu sistema de CI](/code-security/secure-coding/running-codeql-runner-in-your-ci-system)".
-
-{% endif %}
diff --git a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-cli-in-your-ci-system.md b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-cli-in-your-ci-system.md
index 339d20dd0c..e80eb30c1b 100644
--- a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-cli-in-your-ci-system.md
+++ b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-cli-in-your-ci-system.md
@@ -39,17 +39,10 @@ Uma vez disponibilizado o {% data variables.product.prodname_codeql_cli %} para
Você usa três comandos diferentes para gerar resultados e fazer o upload deles para {% data variables.product.product_name %}:
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
1. `criar um banco de dados` para criar um banco de dados de {% data variables.product.prodname_codeql %} para representar a estrutura hierárquica de cada linguagem de programação compatível no repositório.
2. `análise do banco de dados` para executar consultas para analisar cada banco de dados de {% data variables.product.prodname_codeql %} e resumir os resultados em um arquivo SARIF.
3. `github upload-results` para fazer o upload dos arquivos SARIF resultantes para {% data variables.product.product_name %} em que os resultados são correspondentes a um branch ou pull request e exibidos como alertas de {% data variables.product.prodname_code_scanning %}.
-{% else %}
-
-1. `database create` para criar um banco de dados {% data variables.product.prodname_codeql %} para representar a estrutura hierárquica de uma linguagem de programação compatível com o repositório.
-2. `database analyze` para executar consultas a fim de analisar o banco de dados {% data variables.product.prodname_codeql %} e resumir os resultados em um arquivo SARIF.
-3. `github upload-results` para fazer o upload do arquivo SARIF resultante para {% data variables.product.product_name %} em que os resultados são correspondentes a um branch ou pull request e exibidos como alertas de {% data variables.product.prodname_code_scanning %}.
-{% endif %}
Você pode mostrar a ajuda de linha de comando para qualquer comando usando `--help` opção.
@@ -63,7 +56,7 @@ Você pode mostrar a ajuda de linha de comando para qualquer comando usando 3.1 or ghae or ghec %}
+
```shell
# Single supported language - create one CodeQL databsae
codeql database create <database> --command<build> --language=<language-identifier>
@@ -72,11 +65,7 @@ Você pode mostrar a ajuda de linha de comando para qualquer comando usando
- Especifique o identificador para a linguagem para criar um banco de dados: {% data reusables.code-scanning.codeql-languages-keywords %} (use javascript para analisar o código TypeScript).
- |
-
-
-
- |
- {% ifversion fpt or ghes > 3.1 or ghae or ghec %}When used with `--db-cluster`, a opção aceita uma lista separada por vírgulas, ou pode ser especificada mais de uma vez.{% endif %}
- |
-
-
- |
-
-
+ Especifique o identificador para a linguagem para criar um banco de dados: {% data reusables.code-scanning.codeql-languages-keywords %} (use javascript para analisar o código TypeScript). Quando usado com `--db-cluster`, a opção aceita uma lista separada por vírgulas, ou pode ser especificada mais de uma vez.
|
@@ -151,18 +128,6 @@ Você pode mostrar a ajuda de linha de comando para qualquer comando usando
-
- |
- {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- |
-
-
- |
-
-
- |
-
-
|
`--db-cluster`
@@ -189,18 +154,6 @@ Você pode mostrar a ajuda de linha de comando para qualquer comando usando
|
-
- |
- {% endif %}
- |
-
-
- |
-
-
- |
-
-
`--source-root`
@@ -217,7 +170,7 @@ Você pode mostrar a ajuda de linha de comando para qualquer comando usando 3.1 or ghae or ghec %}Exemplo de linguagem única{% else %}Exemplo básico{% endif %}
+### Exemplo de linguagem única
Este exemplo cria um banco de dados de {% data variables.product.prodname_codeql %} para o repositório verificado em `/checkouts/example-repo`. Ele usa o extrator do JavaScript para criar uma representação hierárquica do código JavaScript e TypeScript no repositório. O banco de dados resultante é armazenado em `/codeql-dbs/example-repo`.
@@ -235,7 +188,6 @@ $ codeql database create /codeql-dbs/example-repo --language=javascript \
> Successfully created database at /codeql-dbs/example-repo.
```
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### Exemplo de linguagem múltipla
Este exemplo cria dois bancos de dados de {% data variables.product.prodname_codeql %} para o repositório verificado em `/checkouts/example-repo-multi`. Ela usa:
@@ -266,7 +218,6 @@ Finalizing databases at /codeql-dbs/example-repo-multi.
Banco de dados criado com sucesso em /codeql-dbs/example-repo-multi.
$
```
-{% endif %}
## Analisando um banco de dados de {% data variables.product.prodname_codeql %}
@@ -277,7 +228,6 @@ $
--output=<output> {% ifversion codeql-packs %}--download <packs,queries>{% else %}<queries>{% endif %}
```
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% note %}
**Observação:** Se você analisar mais de um banco de dados de {% data variables.product.prodname_codeql %} para um único commit, você deverá especificar uma categoria SARIF para cada conjunto de resultados gerados por este comando. Ao fazer o upload dos resultados para {% data variables.product.product_name %}, {% data variables.product.prodname_code_scanning %} usa essa categoria para armazenar os resultados para cada linguagem separadamente. Se você esquecer de fazer isso, cada upload irá substituir os resultados anteriores.
@@ -289,7 +239,6 @@ codeql database analyze <database> --format=<format> \
```
{% endnote %}
-{% endif %}
|
@@ -356,7 +305,7 @@ codeql database analyze <database> --format=<format> \
|
- Especifique onde salvar o arquivo de resultados SARIF.{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ Especifique onde salvar o arquivo de resultados SARIF.
|
@@ -370,7 +319,7 @@ codeql database analyze <database> --format=<format> \
- Opcional para análise única do banco de dados. Necessário para definir a linguagem quando você analisa vários bancos de dados para um único commit em um repositório. Especifique uma categoria a incluir no arquivo de resultados SARIF para esta análise. Uma categoria é usada para distinguir várias análises para a mesma ferramenta e commit, mas executada em diferentes linguagens ou em diferentes partes do código.{% endif %}{% ifversion fpt or ghes > 3.3 or ghae or ghec %}
+ Opcional para análise única do banco de dados. Necessário para definir a linguagem quando você analisa vários bancos de dados para um único commit em um repositório. Especifique uma categoria a incluir no arquivo de resultados SARIF para esta análise. Uma categoria é usada para distinguir várias análises para a mesma ferramenta e commit, mas executada em diferentes linguagens ou em diferentes partes do código.{% ifversion fpt or ghes > 3.3 or ghae or ghec %}
|
@@ -435,21 +384,20 @@ codeql database analyze <database> --format=<format> \
- Opcional. Use para obter informações mais detalhadas sobre o processo de análise{% ifversion fpt or ghes > 3.1 or ghae or ghec %} e dados de diagnóstico do processo de criação do banco de dados{% endif %}.
+ Opcional. Use para obter informações mais detalhadas sobre o processo de análise e dados de diagnóstico do processo de criação do banco de dados.
|
-
Para obter mais informações, consulte [Analisando bancos de dados com {% data variables.product.prodname_codeql_cli %}](https://codeql.github.com/docs/codeql-cli/analyzing-databases-with-the-codeql-cli/) na documentação do {% data variables.product.prodname_codeql_cli %}.
### Exemplo básico
-Este exemplo analisa um banco de dados {% data variables.product.prodname_codeql %} armazenado em `/codeql-dbs/example-repo` e salva os resultados como um arquivo SARIF: `/temp/example-repo-js.sarif`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}}Ele usa `--sarif-category` para incluir informações extras no arquivo SARIF que identifica os resultados como JavaScript. Isto é essencial quando você tem mais de um banco de dados de {% data variables.product.prodname_codeql %} para analisar um único commit em um repositório.{% endif %}
+Este exemplo analisa um banco de dados {% data variables.product.prodname_codeql %} armazenado em `/codeql-dbs/example-repo` e salva os resultados como um arquivo SARIF: `/temp/example-repo-js.sarif`. Ele usa `--sarif-category` para incluir informações extras no arquivo SARIF que identifica os resultados como JavaScript. Isto é essencial quando você tem mais de um banco de dados de {% data variables.product.prodname_codeql %} para analisar um único commit em um repositório.
```
$ codeql database analyze /codeql-dbs/example-repo \
- javascript-code-scanning.qls {% ifversion fpt or ghes > 3.1 or ghae or ghec %}--sarif-category=javascript \{% endif %}
+ javascript-code-scanning.qls --sarif-category=javascript \
--format={% ifversion fpt or ghae or ghec %}sarif-latest{% else %}sarifv2.1.0{% endif %} --output=/temp/example-repo-js.sarif
> Running queries.
@@ -473,7 +421,7 @@ Quando você decidir o método mais seguro e confiável para o seu servidor de C
```shell
echo "$UPLOAD_TOKEN" | codeql github upload-results --repository=<repository-name> \
--ref=<ref> --commit=<commit> --sarif=<file> \
- {% ifversion ghes > 3.0 or ghae %}--github-url=<URL> {% endif %}--github-auth-stdin
+ {% ifversion ghes or ghae %}--github-url=<URL> {% endif %}--github-auth-stdin
```
@@ -543,7 +491,7 @@ Quando você decidir o método mais seguro e confiável para o seu servidor de C
|
- Especifique o arquivo SARIF a ser carregado.{% ifversion ghes > 3.0 or ghae %}
+ Especifique o arquivo SARIF a ser carregado.{% ifversion ghes or ghae %}
|
@@ -584,7 +532,7 @@ Este exemplo faz o upload dos resultados do arquivo SARIF `temp/example-repo-js.
```
$ echo $UPLOAD_TOKEN | codeql github upload-results --repository=my-org/example-repo \
--ref=refs/heads/main --commit=deb275d2d5fe9a522a0b7bd8b6b6a1c939552718 \
- --sarif=/temp/example-repo-js.sarif {% ifversion ghes > 3.0 or ghae %}--github-url={% data variables.command_line.git_url_example %} \
+ --sarif=/temp/example-repo-js.sarif {% ifversion ghes or ghae %}--github-url={% data variables.command_line.git_url_example %} \
{% endif %}--github-auth-stdin
```
@@ -681,8 +629,6 @@ echo $OCTO-ORG_ACCESS_TOKEN | codeql pack download <scope/name@version:path&g
```
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
## Exemplo de configuração de CI para análise de {% data variables.product.prodname_codeql %}
Este é um exemplo da série de comandos que você pode usar para analisar uma base de código com duas linguagens compatíveis e, em seguida, fazer o upload dos resultados para {% data variables.product.product_name %}.
@@ -733,8 +679,6 @@ Por padrão, {% data variables.product.prodname_code_scanning %} espera um arqui
Se desejar fazer o upload de mais de um conjunto de resultados para a API de {% data variables.product.prodname_code_scanning %} para um commit em um repositório, você deve identificar cada conjunto de resultados como um conjunto único. Para repositórios em que você cria mais de um banco de dados de {% data variables.product.prodname_codeql %} para analisar para cada commit, use a opção `--sarif-category` para especificar uma linguagem ou outra categoria exclusiva para cada arquivo SARIF que você gerar para esse repositório.
-{% endif %}
-
## Leia mais
- [Criando bancos de dados de CodeQL](https://codeql.github.com/docs/codeql-cli/creating-codeql-databases/)
diff --git a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-runner-in-your-ci-system.md b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-runner-in-your-ci-system.md
index 0bd1e74eca..ea87101e72 100644
--- a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-runner-in-your-ci-system.md
+++ b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/configuring-codeql-runner-in-your-ci-system.md
@@ -186,8 +186,8 @@ Analyzes the code in the {% data variables.product.prodname_codeql %} databases
| `--no-upload` | | None. Stops the {% data variables.product.prodname_codeql_runner %} from uploading the results to {% data variables.product.product_name %}. |
| `--output-dir` | | Directory where the output SARIF files are stored. The default is in the directory of temporary files. |
| `--ram` | | Amount of memory to use when running queries. The default is to use all available memory. |
-| `--no-add-snippets` | | None. Excludes code snippets from the SARIF output. |{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| `--category` | | Category to include in the SARIF results file for this analysis. A category can be used to distinguish multiple analyses for the same tool and commit, but performed on different languages or different parts of the code. This value will appear in the `.automationDetails.id` property in SARIF v2.1.0. |{% endif %}
+| `--no-add-snippets` | | None. Excludes code snippets from the SARIF output. |
+| `--category` | | Category to include in the SARIF results file for this analysis. A category can be used to distinguish multiple analyses for the same tool and commit, but performed on different languages or different parts of the code. This value will appear in the `.automationDetails.id` property in SARIF v2.1.0. |
| `--threads` | | Number of threads to use when running queries. The default is to use all available cores. |
| `--temp-dir` | | Directory where temporary files are stored. The default is `./codeql-runner`. |
| `--debug` | | None. Prints more verbose output. |
diff --git a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system.md b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system.md
index 95c680f89e..7287b921bc 100644
--- a/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system.md
+++ b/translations/pt-BR/content/code-security/code-scanning/using-codeql-code-scanning-with-your-existing-ci-system/installing-codeql-cli-in-your-ci-system.md
@@ -48,7 +48,7 @@ Você deve fazer o download do pacote {% data variables.product.prodname_codeql
{% ifversion ghes or ghae %}
{% note %}
-For {% data variables.product.product_name %}{% ifversion ghes %} {{ allVersions[currentVersion].currentRelease }},{% endif %}, we recommend {% data variables.product.prodname_codeql_cli %} version {% data variables.product.codeql_cli_ghes_recommended_version %}.
+Para {% data variables.product.product_name %}{% ifversion ghes %} {{ allVersions[currentVersion].currentRelease }},{% endif %}, recomendamos {% data variables.product.prodname_codeql_cli %} a versão {% data variables.product.codeql_cli_ghes_recommended_version %}.
{% endnote %}
{% endif %}
diff --git a/translations/pt-BR/content/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts.md b/translations/pt-BR/content/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts.md
index 08abd06d37..fe358fb460 100644
--- a/translations/pt-BR/content/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts.md
+++ b/translations/pt-BR/content/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts.md
@@ -37,7 +37,7 @@ Os proprietários das empresas também podem habilitar {% data variables.product
## Configurar notificações para {% data variables.product.prodname_dependabot_alerts %}
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}
Quando um novo alerta do {% data variables.product.prodname_dependabot %} é detectado, {% data variables.product.product_name %} notifica todos os usuários com acesso a {% data variables.product.prodname_dependabot_alerts %} para o repositório de acordo com suas preferências de notificação. Você receberá alertas se estiver acompanhando o repositório, caso tenha habilitado notificações para alertas de segurança ou para toda a atividade no repositório e não estiver ignorando o repositório. Para obter mais informações, consulte “[Configurando notificações](/github/managing-subscriptions-and-notifications-on-github/configuring-notifications#configuring-your-watch-settings-for-an-individual-repository)".
{% endif %}
diff --git a/translations/pt-BR/content/code-security/getting-started/github-security-features.md b/translations/pt-BR/content/code-security/getting-started/github-security-features.md
index 262b392eea..3231640ddd 100644
--- a/translations/pt-BR/content/code-security/getting-started/github-security-features.md
+++ b/translations/pt-BR/content/code-security/getting-started/github-security-features.md
@@ -20,9 +20,7 @@ topics:
O {% data variables.product.prodname_advisory_database %} contém uma lista de vulnerabilidades de segurança que você pode visualizar, pesquisar e filtrar. {% data reusables.security-advisory.link-browsing-advisory-db %}
-{% ifversion fpt or ghes or ghae or ghec %}
## Disponível para todos os repositórios
-{% endif %}
### Política de segurança
Facilite o acesso dos seus usuários para relatar confidencialmente vulnerabilidades de segurança que encontraram no seu repositório. Para obter mais informações, consulte "[Adicionar uma política de segurança ao seu repositório](/code-security/getting-started/adding-a-security-policy-to-your-repository)".
@@ -54,12 +52,10 @@ Exibir alertas sobre dependências conhecidas por conter vulnerabilidades de seg
Use {% data variables.product.prodname_dependabot %} para levantar automaticamente os pull requests a fim de manter suas dependências atualizadas. Isso ajuda a reduzir a exposição a versões mais antigas de dependências. Usar versões mais recentes facilita a aplicação de patches, caso as vulnerabilidades de segurança sejam descobertas e também torna mais fácil para {% data variables.product.prodname_dependabot_security_updates %} levantar, com sucesso, os pull requests para atualizar as dependências vulneráveis. Para obter mais informações, consulte "[Sobre o {% data variables.product.prodname_dependabot_version_updates %}](/github/administering-a-repository/about-dependabot-version-updates)".
{% endif %}
-{% ifversion fpt or ghes or ghae or ghec %}
### Gráfico de dependências
O gráfico de dependências permite explorar os ecossistemas e pacotes dos quais o repositório depende e os repositórios e pacotes que dependem do seu repositório.
Você pode encontrar o gráfico de dependências na aba **Ideias** para o seu repositório. Para obter mais informações, consulte "[Sobre o gráfico de dependência](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)".
-{% endif %}
### Visão geral de segurança para repositórios
Para todos os repositórios públicos, a visão geral de segurança mostra quais funcionalidades de segurança estão habilitadas no repositório e oferece a opção de configurar quaisquer recursos de segurança disponíveis que não estão habilitadas no momento.
@@ -99,13 +95,11 @@ Disponível apenas com uma licença para {% data variables.product.prodname_GH_a
Detectar automaticamente tokens ou credenciais que foram verificados em um repositório. Você pode visualizar alertas para quaisquer segredos que {% data variables.product.company_short %} encontrar no seu código, para que você saiba quais tokens ou credenciais tratar como comprometidas. Para obter mais informações, consulte "[Sobre a varredura de segredos](/code-security/secret-scanning/about-secret-scanning#about-secret-scanning-for-advanced-security)."
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### Revisão de dependência
Mostre o impacto completo das alterações nas dependências e veja detalhes de qualquer versão vulnerável antes de fazer merge de um pull request. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/about-dependency-review)".
-{% endif %}
-{% ifversion ghec or ghes > 3.1 or ghae %}
+{% ifversion ghec or ghes or ghae %}
### Visão geral de segurança das organizações{% ifversion ghec or ghes > 3.4 or ghae-issue-6199 %}, empresas,{% endif %} e equipes
{% ifversion ghec %}
diff --git a/translations/pt-BR/content/code-security/getting-started/securing-your-organization.md b/translations/pt-BR/content/code-security/getting-started/securing-your-organization.md
index e6148c0cbe..1734a2e421 100644
--- a/translations/pt-BR/content/code-security/getting-started/securing-your-organization.md
+++ b/translations/pt-BR/content/code-security/getting-started/securing-your-organization.md
@@ -25,7 +25,7 @@ Este guia mostra como configurar os recursos de segurança de uma organização.
Você pode usar as funções para controlar as ações que as pessoas podem tomar na sua organização. {% ifversion security-managers %}Por exemplo, você pode atribuir o papel de gerente de segurança a uma equipe para que possam gerenciar configurações de segurança em toda a sua organização, assim como acesso de leitura a todos os repositórios.{% endif %} Para obter mais informações, consulte "[Funçõesem uma organização](/organizations/managing-peoples-access-to-your-organization-with-roles/roles-in-an-organization)".
-{% ifversion fpt or ghes > 3.0 or ghec %}
+{% ifversion fpt or ghes or ghec %}
## Criando uma política de segurança padrão
@@ -33,7 +33,6 @@ Você pode criar uma política de segurança padrão que será exibida em qualqu
{% endif %}
-{% ifversion fpt or ghes or ghae or ghec %}
## Gerenciar {% data variables.product.prodname_dependabot_alerts %} e o gráfico de dependências
{% ifversion fpt or ghec %}{% data variables.product.prodname_dotcom %} detecta vulnerabilidades em repositórios públicos e exibe o gráfico de dependências. Você pode habilitar ou desabilitar {% data variables.product.prodname_dependabot_alerts %} para todos os repositórios públicos pertencentes à sua organização. Você pode habilitar ou desabilitar {% data variables.product.prodname_dependabot_alerts %} e o gráfico de dependência de todos os repositórios privados da sua organização.
@@ -49,9 +48,6 @@ Você pode criar uma política de segurança padrão que será exibida em qualqu
{% data reusables.dependabot.dependabot-alerts-dependency-graph-enterprise %}
Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/about-alerts-for-vulnerable-dependencies)" "[Explorando as dependências de um repositório](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)" e "[Gerenciando as configurações de segurança e análise da sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)".
-{% endif %}
-
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Gerenciando revisão de dependências
@@ -60,8 +56,6 @@ A revisão de dependências é um recurso de {% data variables.product.prodname_
{% ifversion fpt or ghec %}A revisão de Dependência já está habilitada para todos os repositórios públicos. {% ifversion fpt %}As organizações que usam {% data variables.product.prodname_ghe_cloud %} com {% data variables.product.prodname_advanced_security %} podem habilitar a revisão de dependências adicionalmente para repositórios privados e internos. Para obter mais informações, consulte a [documentação de {% data variables.product.prodname_ghe_cloud %}](/enterprise-cloud@latest/code-security/getting-started/securing-your-organization#managing-dependency-review). {% endif %}{% endif %}{% ifversion ghec %}Para repositórios privados e internos pertencentes a uma organização, você pode habilitar a revisão de dependência, habilitando o gráfico de dependências e habilitando {% data variables.product.prodname_advanced_security %} (veja abaixo).
{% elsif ghes or ghae %}A revisão de dependência está disponível quando o gráfico de dependências estiver habilitado para {% data variables.product.product_location %} e você habilitar {% data variables.product.prodname_advanced_security %} para a organização (veja abaixo).{% endif %}
-{% endif %}
-
{% ifversion fpt or ghec or ghes > 3.2 %}
## Gerenciar {% data variables.product.prodname_dependabot_security_updates %}
@@ -100,8 +94,6 @@ Você pode habilitar ou desabilitar funcionalidades de {% data variables.product
Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_GH_advanced_security %}](/github/getting-started-with-github/about-github-advanced-security)" e "[Gerenciar configurações de segurança e análise para a sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)".
{% endif %}
-
-{% ifversion fpt or ghes > 3.0 or ghae or ghec %}
## Configurar o {% data variables.product.prodname_secret_scanning %}
{% data variables.product.prodname_secret_scanning_caps %} é um recurso de {% data variables.product.prodname_advanced_security %} que digitaliza repositórios com relação aos segredos que são armazenados de forma insegura.
@@ -122,8 +114,6 @@ Você pode habilitar ou desabilitar {% data variables.product.prodname_secret_sc
Para obter mais informações, consulte "[Gerenciar configurações de segurança e análise para sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)".
{% endif %}
-{% endif %}
-
## Configurar o {% data variables.product.prodname_code_scanning %};
{% data variables.product.prodname_code_scanning_capc %} é um recurso de {% data variables.product.prodname_advanced_security %} que digitaliza código para vulnerabilidades e erros de segurança
@@ -138,8 +128,7 @@ Você pode visualizar e gerenciar alertas de funcionalidades de segurança para
{% ifversion fpt or ghec %}Se você tiver uma vulnerabilidade de segurança, você poderá criar uma consultoria de segurança para discutir em privado e corrigir a vulnerabilidade. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_security_advisories %}](/code-security/security-advisories/about-github-security-advisories)" e " "[Criar uma consultoria de segurança](/code-security/security-advisories/creating-a-security-advisory)".
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghec or ghae %}{% ifversion ghes > 3.1 or ghec or ghae %}Você{% elsif fpt %}As organizações que usam {% data variables.product.prodname_ghe_cloud %}{% endif %} podem visualizar, filtrar e ordenar alertas de seguranla para repositórios pertencentes à {% ifversion ghes > 3.1 or ghec or ghae %}sua{% elsif fpt %}their{% endif %} organização na visão geral de segurança. Para obter mais informações, consulte{% ifversion ghes or ghec or ghae %} "[Sobre a visão geral de segurança](/code-security/security-overview/about-the-security-overview).{% elsif fpt %} "[Sobre a visão geral de segurança](/enterprise-cloud@latest/code-security/security-overview/about-the-security-overview)" na documentação de {% data variables.product.prodname_ghe_cloud %} .{% endif %}{% endif %}
-
+{% ifversion ghes or ghec or ghae %}Você{% elsif fpt %}Organizações que usam {% data variables.product.prodname_ghe_cloud %}{% endif %} podem visualizar, filtrar e classificar alertas de segurança para repositórios pertencentes à {% ifversion ghes or ghec or ghae %}sua{% elsif fpt %}sua organização{% endif %} na visão geral da segurança. Para obter mais informações, consulte{% ifversion ghes or ghec or ghae %} "[Sobre a visão geral de segurança](/code-security/security-overview/about-the-security-overview).{% elsif fpt %} "[Sobre a visão geral de segurança](/enterprise-cloud@latest/code-security/security-overview/about-the-security-overview)" na documentação de {% data variables.product.prodname_ghe_cloud %}.{% endif %}
{% ifversion ghec %}
## Leia mais
diff --git a/translations/pt-BR/content/code-security/getting-started/securing-your-repository.md b/translations/pt-BR/content/code-security/getting-started/securing-your-repository.md
index 97fc07a0a2..27ae90a239 100644
--- a/translations/pt-BR/content/code-security/getting-started/securing-your-repository.md
+++ b/translations/pt-BR/content/code-security/getting-started/securing-your-repository.md
@@ -44,7 +44,6 @@ Na página principal do seu repositório, clique em **{% octicon "gear" aria-lab
Para obter mais informações, consulte "[Adicionar uma política de segurança ao seu repositório](/code-security/getting-started/adding-a-security-policy-to-your-repository)".
-{% ifversion fpt or ghes or ghae or ghec %}
## Gerenciar o gráfico de dependências
{% ifversion fpt or ghec %}
@@ -57,11 +56,8 @@ O gráfico de dependências é gerado automaticamente para todos os repositório
{% data reusables.dependabot.dependabot-alerts-dependency-graph-enterprise %}
-Para obter mais informações, consulte "[Explorar as dependências de um repositório](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)".
+Para obter mais informações, consulte "[Explorando as dependências de um repositório](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)"
-{% endif %}
-
-{% ifversion fpt or ghes or ghae or ghec %}
## Gerenciar {% data variables.product.prodname_dependabot_alerts %}
{% data variables.product.prodname_dependabot_alerts %} são gerados quando {% data variables.product.prodname_dotcom %} identifica uma dependência no gráfico de dependências com uma vulnerabilidade. {% ifversion fpt or ghec %}Você pode habilitar {% data variables.product.prodname_dependabot_alerts %} para qualquer repositório.{% endif %}
@@ -77,9 +73,6 @@ Para obter mais informações, consulte "[Explorar as dependências de um reposi
Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/about-alerts-for-vulnerable-dependencies){% ifversion fpt or ghec %}" e "[Gerenciando configurações de segurança e análise da sua conta pessoal](/account-and-profile/setting-up-and-managing-your-personal-account-on-github/managing-personal-account-settings/managing-security-and-analysis-settings-for-your-personal-account){% endif %}".
-{% endif %}
-
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Gerenciando revisão de dependências
A revisão de dependências permite visualizar alterações de dependência em pull requests antes de serem mescladas nos seus repositórios. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review)".
@@ -93,7 +86,6 @@ A revisão de dependência é um recurso de {% data variables.product.prodname_G
{% endif %}
-{% endif %}
{% ifversion fpt or ghec or ghes > 3.2 %}
diff --git a/translations/pt-BR/content/code-security/secret-scanning/about-secret-scanning.md b/translations/pt-BR/content/code-security/secret-scanning/about-secret-scanning.md
index 037877a63c..d6d8def31e 100644
--- a/translations/pt-BR/content/code-security/secret-scanning/about-secret-scanning.md
+++ b/translations/pt-BR/content/code-security/secret-scanning/about-secret-scanning.md
@@ -43,7 +43,6 @@ You can also enable {% data variables.product.prodname_secret_scanning %} as a p
{% endif %}
-
{% ifversion fpt or ghec %}
## About {% data variables.product.prodname_secret_scanning_partner %}
@@ -59,7 +58,6 @@ You cannot change the configuration of {% data variables.product.prodname_secret
{% endnote %}
{% endif %}
-
{% endif %}
{% ifversion not fpt %}
@@ -74,14 +72,11 @@ You cannot change the configuration of {% data variables.product.prodname_secret
If you're a repository administrator you can enable {% data variables.product.prodname_secret_scanning_GHAS %} for any repository{% ifversion ghec or ghes > 3.4 or ghae-issue-6329 %}, including archived repositories{% endif %}. Organization owners can also enable {% data variables.product.prodname_secret_scanning_GHAS %} for all repositories or for all new repositories within an organization. For more information, see "[Managing security and analysis settings for your repository](/github/administering-a-repository/managing-security-and-analysis-settings-for-your-repository)" and "[Managing security and analysis settings for your organization](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)."
-{% ifversion ghes > 3.1 or ghae or ghec %}You can also define custom {% data variables.product.prodname_secret_scanning %} patterns for a repository, organization, or enterprise. For more information, see "[Defining custom patterns for {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/defining-custom-patterns-for-secret-scanning)."
-{% elsif ghes < 3.2 %}
-Versions 3.1 and lower of {% data variables.product.product_name %} do not allow you to define your own patterns for detecting secrets.
+{% ifversion ghes or ghae or ghec %}You can also define custom {% data variables.product.prodname_secret_scanning %} patterns for a repository, organization, or enterprise. For more information, see "[Defining custom patterns for {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/defining-custom-patterns-for-secret-scanning)."
{% endif %}
-
### About {% data variables.product.prodname_secret_scanning %} alerts
-When you push commits to a repository with {% data variables.product.prodname_secret_scanning %} enabled, {% data variables.product.prodname_dotcom %} scans the contents of those commits for secrets that match patterns defined by service providers{% ifversion ghes > 3.1 or ghae or ghec %} and any custom patterns defined in your enterprise, organization, or repository{% endif %}.
+When you push commits to a repository with {% data variables.product.prodname_secret_scanning %} enabled, {% data variables.product.prodname_dotcom %} scans the contents of those commits for secrets that match patterns defined by service providers{% ifversion ghes or ghae or ghec %} and any custom patterns defined in your enterprise, organization, or repository{% endif %}.
If {% data variables.product.prodname_secret_scanning %} detects a secret, {% data variables.product.prodname_dotcom %} generates an alert.
@@ -89,19 +84,19 @@ If {% data variables.product.prodname_secret_scanning %} detects a secret, {% da
{% ifversion ghes or ghae or ghec %}
- {% data variables.product.prodname_dotcom %} sends an email alert to the contributor who committed the secret to the repository, with a link to the related {% data variables.product.prodname_secret_scanning %} alert. The commit author can then view the alert in the repository, and resolve the alert.
{% endif %}
-- {% data variables.product.prodname_dotcom %} displays an alert in the "Security" tab of the repository.{% ifversion ghes = 3.0 %} For more information, see "[Managing alerts from {% data variables.product.prodname_secret_scanning %}](/github/administering-a-repository/managing-alerts-from-secret-scanning)."{% endif %}
+- {% data variables.product.prodname_dotcom %} displays an alert in the "Security" tab of the repository.
{% ifversion ghes or ghae or ghec %}
For more information about viewing and resolving {% data variables.product.prodname_secret_scanning %} alerts, see "[Managing alerts from {% data variables.product.prodname_secret_scanning %}](/github/administering-a-repository/managing-alerts-from-secret-scanning)."{% endif %}
Repository administrators and organization owners can grant users and teams access to {% data variables.product.prodname_secret_scanning %} alerts. For more information, see "[Managing security and analysis settings for your repository](/github/administering-a-repository/managing-security-and-analysis-settings-for-your-repository#granting-access-to-security-alerts)."
-{% ifversion ghec or ghes > 3.1 %}
+{% ifversion ghec or ghes %}
You can use the security overview to see an organization-level view of which repositories have enabled {% data variables.product.prodname_secret_scanning %} and the alerts found. For more information, see "[Viewing the security overview](/code-security/security-overview/viewing-the-security-overview)."
{% endif %}
-{%- ifversion ghec or ghes > 3.1 %}You can also use the REST API to {% elsif ghes = 3.1 %}You can use the REST API to {% endif %}
-monitor results from {% data variables.product.prodname_secret_scanning %} across your {% ifversion ghec %}private {% endif %}repositories{% ifversion ghes > 3.1 %} or your organization{% endif %}. For more information about API endpoints, see "[{% data variables.product.prodname_secret_scanning_caps %}](/rest/reference/secret-scanning)."
+{%- ifversion ghec or ghes %}You can also use the REST API to {% endif %}
+monitor results from {% data variables.product.prodname_secret_scanning %} across your {% ifversion ghec %}private {% endif %}repositories{% ifversion ghes %} or your organization{% endif %}. For more information about API endpoints, see "[{% data variables.product.prodname_secret_scanning_caps %}](/rest/reference/secret-scanning)."
{% endif %}
diff --git a/translations/pt-BR/content/code-security/secret-scanning/configuring-secret-scanning-for-your-repositories.md b/translations/pt-BR/content/code-security/secret-scanning/configuring-secret-scanning-for-your-repositories.md
index 29b44c778d..ecbea427d7 100644
--- a/translations/pt-BR/content/code-security/secret-scanning/configuring-secret-scanning-for-your-repositories.md
+++ b/translations/pt-BR/content/code-security/secret-scanning/configuring-secret-scanning-for-your-repositories.md
@@ -71,4 +71,4 @@ Você também pode ignorar alertas individuais de {% data variables.product.prod
## Leia mais
- "[Gerenciando configurações de segurança e análise para sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)"
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}- "[Definir padrões personalizados para {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/defining-custom-patterns-for-secret-scanning)"{% endif %}
+- "[Defining custom patterns for {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/defining-custom-patterns-for-secret-scanning)"
diff --git a/translations/pt-BR/content/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning.md b/translations/pt-BR/content/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning.md
index 26db22a29a..00b48f0648 100644
--- a/translations/pt-BR/content/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning.md
+++ b/translations/pt-BR/content/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning.md
@@ -6,7 +6,7 @@ product: '{% data reusables.gated-features.secret-scanning %}'
redirect_from:
- /code-security/secret-security/defining-custom-patterns-for-secret-scanning
versions:
- ghes: '>=3.2'
+ ghes: '*'
ghae: '*'
ghec: '*'
type: how_to
diff --git a/translations/pt-BR/content/code-security/secret-scanning/managing-alerts-from-secret-scanning.md b/translations/pt-BR/content/code-security/secret-scanning/managing-alerts-from-secret-scanning.md
index dfd83bac65..4e87fa60d5 100644
--- a/translations/pt-BR/content/code-security/secret-scanning/managing-alerts-from-secret-scanning.md
+++ b/translations/pt-BR/content/code-security/secret-scanning/managing-alerts-from-secret-scanning.md
@@ -72,10 +72,10 @@ Uma vez que um segredo tenha sido committed a um repositório, você deve consid
{% endnote %}
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae-issue-4910 or ghec %}
+{% ifversion fpt or ghes or ghae-issue-4910 or ghec %}
## Configurando notificações para alertas de {% data variables.product.prodname_secret_scanning %}
-Quando um novo segredo é detectado, {% data variables.product.product_name %} notifica todos os usuários com acesso a alertas de segurança para o repositório, de acordo com suas preferências de notificação. You will receive an email notification if you are watching the repository, have enabled notifications for security alerts or for all the activity on the repository, or are the author of the commit that contains the secret and are not ignoring the repository.
+Quando um novo segredo é detectado, {% data variables.product.product_name %} notifica todos os usuários com acesso a alertas de segurança para o repositório, de acordo com suas preferências de notificação. Você receberá uma notificação por e-mail se estiver inspecionando o repositório, tiver habilitado as notificações para alertas de segurança ou para todas as atividades no repositório, ou for o autor do commit que contém o segredo e não estiver ignorando o repositório.
Para obter mais informações, consulte "[Gerenciar configurações de segurança e análise do repositório](/github/administering-a-repository/managing-security-and-analysis-settings-for-your-repository#granting-access-to-security-alerts)" e "[Configurar notificações](/github/managing-subscriptions-and-notifications-on-github/configuring-notifications#configuring-your-watch-settings-for-an-individual-repository)".
{% endif %}
diff --git a/translations/pt-BR/content/code-security/secret-scanning/secret-scanning-patterns.md b/translations/pt-BR/content/code-security/secret-scanning/secret-scanning-patterns.md
index 58d5c7ff34..53d905cd20 100644
--- a/translations/pt-BR/content/code-security/secret-scanning/secret-scanning-patterns.md
+++ b/translations/pt-BR/content/code-security/secret-scanning/secret-scanning-patterns.md
@@ -44,7 +44,7 @@ Quando {% data variables.product.prodname_secret_scanning_GHAS %} está habilita
Se você usar a API REST para a digitalização de segredo, você pode usar o tipo `tipo de segredo` para relatar segredos de emissores específicos. Para obter mais informações, consulte "[Verificação de segredo](/enterprise-cloud@latest/rest/secret-scanning)".
-{% ifversion ghes > 3.1 or ghae or ghec %}
+{% ifversion ghes or ghae or ghec %}
{% note %}
**Obersvação:** Você também pode definir padrões personalizados de {% data variables.product.prodname_secret_scanning %} para seu repositório, organização ou empresa. Para obter mais informações, consulte "[Definir padrões personalizados para {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/defining-custom-patterns-for-secret-scanning)".
diff --git a/translations/pt-BR/content/code-security/security-overview/about-the-security-overview.md b/translations/pt-BR/content/code-security/security-overview/about-the-security-overview.md
index 7bf422d677..da6096f020 100644
--- a/translations/pt-BR/content/code-security/security-overview/about-the-security-overview.md
+++ b/translations/pt-BR/content/code-security/security-overview/about-the-security-overview.md
@@ -8,7 +8,7 @@ redirect_from:
versions:
fpt: '*'
ghae: '*'
- ghes: '>3.1'
+ ghes: '*'
ghec: '*'
type: how_to
topics:
@@ -31,7 +31,7 @@ shortTitle: Sobre a visão geral de segurança
{% ifversion ghes or ghec or ghae %}Você{% elsif fpt %}As organizações que usam {% data variables.product.prodname_ghe_cloud %}{% endif %} podem usar a visão geral de segurança para uma visão geral de alto nível do status de segurança da {% ifversion ghes or ghec or ghae %}sua {% elsif fpt %}sua organização{% endif %} ou para identificar repositórios problemáticos que exigem intervenção. {% ifversion ghes or ghec or ghae %}Você {% elsif fpt %}Essas organizações{% endif %} podem ver informações de segurança específicas para o repositório ou agregadas na visão geral de segurança. {% ifversion ghes or ghec or ghae %}Você {% elsif fpt %} As organizações que usam {% data variables.product.prodname_ghe_cloud %}{% endif %} também podem usar a visão geral de segurança para ver quais funcionalidades de segurança estão habilitadas para {% ifversion ghes or ghec or ghae %}seus {% elsif fpt %}repositórios {% endif %} e para configurar quaisquer funcionalidades de segurança disponíveis que atualmente não estejam em uso. {% ifversion fpt %}Para obter mais informações, consulte [a documentação de {% data variables.product.prodname_ghe_cloud %}](/enterprise-cloud@latest/code-security/security-overview/about-the-security-overview).{% endif %}
{% ifversion ghec or ghes or ghae %}
-A visão geral de segurança indica se {% ifversion fpt or ghes > 3.1 or ghec %}os recursos de segurança{% endif %}{% ifversion ghae %}{% data variables.product.prodname_GH_advanced_security %}{% endif %} estão habilitados para os repositórios pertencentes à sua organização e consolida os alertas para cada recurso.{% ifversion fpt or ghes > 3.1 or ghec %} As funcionalidades de segurança incluem funcionalidaes de {% data variables.product.prodname_GH_advanced_security %} como, por exemplo, {% data variables.product.prodname_code_scanning %} e {% data variables.product.prodname_secret_scanning %}, bem como {% data variables.product.prodname_dependabot_alerts %}.{% endif %} Para obter mais informações sobre as funcionalidades de {% data variables.product.prodname_GH_advanced_security %} conuslte "[Sobre {% data variables.product.prodname_GH_advanced_security %}](/get-started/learning-about-github/about-github-advanced-security)."{% ifversion fpt or ghes > 3.1 or ghec %} Para obter mais informações sobre {% data variables.product.prodname_dependabot_alerts %}, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/managing-vulnerabilities-in-your-projects-dependencies/about-alerts-for-vulnerable-dependencies#dependabot-alerts-for-vulnerable-dependencies)."{% endif %}
+The security overview indicates whether {% ifversion fpt or ghes or ghec %}security{% endif %}{% ifversion ghae %}{% data variables.product.prodname_GH_advanced_security %}{% endif %} features are enabled for repositories owned by your organization and consolidates alerts for each feature.{% ifversion fpt or ghes or ghec %} Security features include {% data variables.product.prodname_GH_advanced_security %} features, such as {% data variables.product.prodname_code_scanning %} and {% data variables.product.prodname_secret_scanning %}, as well as {% data variables.product.prodname_dependabot_alerts %}.{% endif %} For more information about {% data variables.product.prodname_GH_advanced_security %} features, see "[About {% data variables.product.prodname_GH_advanced_security %}](/get-started/learning-about-github/about-github-advanced-security)."{% ifversion fpt or ghes or ghec %} For more information about {% data variables.product.prodname_dependabot_alerts %}, see "[About {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/managing-vulnerabilities-in-your-projects-dependencies/about-alerts-for-vulnerable-dependencies#dependabot-alerts-for-vulnerable-dependencies)."{% endif %}
Para obter mais informações sobre como proteger seu código nos níveis do repositório e da organização, consulte "[Protegendo seu repositório](/code-security/getting-started/securing-your-repository)" e "[Protegendo sua organização](/code-security/getting-started/securing-your-organization)".
diff --git a/translations/pt-BR/content/code-security/security-overview/filtering-alerts-in-the-security-overview.md b/translations/pt-BR/content/code-security/security-overview/filtering-alerts-in-the-security-overview.md
index b4823e4679..d1c9aeb96e 100644
--- a/translations/pt-BR/content/code-security/security-overview/filtering-alerts-in-the-security-overview.md
+++ b/translations/pt-BR/content/code-security/security-overview/filtering-alerts-in-the-security-overview.md
@@ -5,7 +5,7 @@ permissions: '{% data reusables.security-center.permissions %}'
product: '{% data reusables.gated-features.security-center %}'
versions:
ghae: '*'
- ghes: '>3.1'
+ ghes: '*'
ghec: '*'
type: how_to
topics:
diff --git a/translations/pt-BR/content/code-security/security-overview/index.md b/translations/pt-BR/content/code-security/security-overview/index.md
index 22642f1d50..72d704fe36 100644
--- a/translations/pt-BR/content/code-security/security-overview/index.md
+++ b/translations/pt-BR/content/code-security/security-overview/index.md
@@ -6,7 +6,7 @@ product: '{% data reusables.gated-features.security-center %}'
versions:
fpt: '*'
ghae: '*'
- ghes: '>3.1'
+ ghes: '*'
ghec: '*'
topics:
- Security overview
diff --git a/translations/pt-BR/content/code-security/security-overview/viewing-the-security-overview.md b/translations/pt-BR/content/code-security/security-overview/viewing-the-security-overview.md
index ef1fff651c..1a03ecf3f7 100644
--- a/translations/pt-BR/content/code-security/security-overview/viewing-the-security-overview.md
+++ b/translations/pt-BR/content/code-security/security-overview/viewing-the-security-overview.md
@@ -5,7 +5,7 @@ permissions: '{% data reusables.security-center.permissions %}'
product: '{% data reusables.gated-features.security-center %}'
versions:
ghae: issue-5503
- ghes: '>3.1'
+ ghes: '*'
ghec: '*'
type: how_to
topics:
diff --git a/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security.md b/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security.md
index e98950be4b..acae773d0d 100644
--- a/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security.md
+++ b/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security.md
@@ -31,7 +31,7 @@ Você adiciona dependências diretamente à sua cadeia de suprimentos ao especif
As funcionalidades da cadeia de suprimentos em {% data variables.product.product_name %} são:
- **Gráfico de dependências**
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}- **Revisão de Dependência**{% endif %}
+- **Revisão de dependência**
- **{% data variables.product.prodname_dependabot_alerts %} **
{% ifversion fpt or ghec or ghes > 3.2 %}- **{% data variables.product.prodname_dependabot_updates %}**
- **{% data variables.product.prodname_dependabot_security_updates %}**
@@ -39,7 +39,6 @@ As funcionalidades da cadeia de suprimentos em {% data variables.product.product
O gráfico de dependências é fundamental para fornecer segurança da cadeia de suprimentos. O gráfico de dependências identifica todas as dependências a montante e as dependências públicas a jusante de um repositório ou pacote. É possível ver as dependências e algumas de suas propriedades, como informações de vulnerabilidade, no gráfico de dependências do repositório.
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
As outras funcionalidades da cadeia de suprimentos em {% data variables.product.prodname_dotcom %} dependem das informações fornecidas pelo gráfico de dependências.
- A revisão de dependências usa o gráfico de dependências para identificar mudanças de dependências e ajuda você a entender o impacto de segurança dessas alterações ao revisar pull requests.
@@ -48,11 +47,6 @@ As outras funcionalidades da cadeia de suprimentos em {% data variables.product.
{% data variables.product.prodname_dependabot_version_updates %} não usa o gráfico de dependências e confia na versão semântica das dependências. {% data variables.product.prodname_dependabot_version_updates %} ajuda você a manter suas dependências atualizadas, mesmo quando elas não têm nenhuma vulnerabilidade.
{% endif %}
-{% endif %}
-
-{% ifversion ghes < 3.2 %}
-Os dados de dependência de referência cruzada de {% data variables.product.prodname_dependabot %} fornecidos pelo gráfico de dependências com a lista de consultorias conhecidas publicadas no {% data variables.product.prodname_advisory_database %}, verifica suas dependências e gera {% data variables.product.prodname_dependabot_alerts %} quando uma potencial vulnerabilidade é detectada.
- {% endif %}
{% ifversion fpt or ghec or ghes %}
Para oter guias sobre as práticas recomendadas de segurança da cadeia de suprimentos de ponta a ponta, incluindo a proteção de contas pessoais, código e processos de compilação, consulte "[Protegendo sua cadeia de suprimentos de ponta a ponta](/code-security/supply-chain-security/end-to-end-supply-chain/end-to-end-supply-chain-overview)".
@@ -74,7 +68,6 @@ Para gerar o gráfico de dependência, {% data variables.product.company_short %
Para obter mais informações sobre o gráfico de dependências, consulte "[Sobre o gráfico de dependências](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph)".
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
### O que é revisão de dependências
A revisão de dependências ajuda os revisores e colaboradores a entenderem as mudanças de dependência e seu impacto de segurança em cada pull request.
@@ -84,8 +77,6 @@ A revisão de dependências ajuda os revisores e colaboradores a entenderem as m
Para obter mais informações sobre a análise de dependências, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review)".
-{% endif %}
-
### O que é o Dependabot
{% data variables.product.prodname_dependabot %} mantém suas dependências atualizadas informando você de qualquer vulnerabilidade de segurança em suas dependências{% ifversion fpt or ghec or ghes > 3.2 or ghae %} e abre automaticamente os pull requests para atualizar suas dependências para a próxima versão segura disponível quando um alerta der {% data variables.product.prodname_dependabot %} é acionado ou, na última versão, quando uma versão é publicada{% else %} para que você possa atualizar essa dependência{% endif %}.
@@ -107,7 +98,7 @@ O termo "{% data variables.product.prodname_dependabot %}" engloba as seguintes
- Um novo aviso é adicionado ao {% data variables.product.prodname_advisory_database %}.{% else %}
- São sincronizados novos dados de consultoria com {% data variables.product.product_location %} a cada hora a partir de {% data variables.product.prodname_dotcom_the_website %}. {% data reusables.security-advisory.link-browsing-advisory-db %}{% endif %}
- O gráfico de dependências para as alterações no repositório.
-- {% data variables.product.prodname_dependabot_alerts %} são exibidos {% ifversion fpt or ghec or ghes > 3.0 %} na aba **Segurança** do repositório e{% endif %} no gráfico de dependências do repositório. O alerta inclui {% ifversion fpt or ghec or ghes > 3.0 %} um link para o arquivo afetado no projeto, e {% endif %}informações sobre uma versão fixa.
+- {% data variables.product.prodname_dependabot_alerts %} são exibidos {% ifversion fpt or ghec or ghes %} na aba **Segurança** do repositório e{% endif %} no gráfico de dependências do repositório. O alerta inclui {% ifversion fpt or ghec or ghes %} um link para o arquivo afetado no projeto, e {% endif %}informações sobre uma versão fixa.
Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/managing-vulnerabilities-in-your-projects-dependencies/about-alerts-for-vulnerable-dependencies)".
diff --git a/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph.md b/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph.md
index fc7a4906e9..6d816027d5 100644
--- a/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph.md
+++ b/translations/pt-BR/content/code-security/supply-chain-security/understanding-your-software-supply-chain/about-the-dependency-graph.md
@@ -30,9 +30,7 @@ Ao fazer push de um commit para o {% data variables.product.product_name %}, que
{% data reusables.dependency-submission.dependency-submission-link %}
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
Ao criar um pull request que contém alterações para dependências direcionadas ao branch padrão, {% data variables.product.prodname_dotcom %} usará o gráfico de dependências para adicionar revisões de dependências ao pull request. Eles indicam se as dependências contêm vulnerabilidades e, em caso afirmativo, a versão da dependência na qual a vulnerabilidade foi corrigida. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/about-dependency-review)".
-{% endif %}
## Disponibilidade do gráfico de dependências
@@ -63,7 +61,7 @@ Você pode usar o gráfico de dependências para:
- Explorar os repositórios dos quais o seu código depende{% ifversion fpt or ghec %} e aqueles que dependem dele{% endif %}. Para obter mais informações, consulte "[Explorar as dependências de um repositório](/github/visualizing-repository-data-with-graphs/exploring-the-dependencies-of-a-repository)". {% ifversion ghec %}
- Visualizar um resumo das dependências usadas nos repositórios da sua organização em um único painel. Para obter mais informações, consulte "[Visualizar informações na organização](/articles/viewing-insights-for-your-organization#viewing-organization-dependency-insights)".{% endif %}
-- Ver e atualizar dependências vulneráveis no seu repositório. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/about-alerts-for-vulnerable-dependencies)."{% ifversion fpt or ghes > 3.1 or ghec %}
+- Ver e atualizar dependências vulneráveis no seu repositório. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/about-alerts-for-vulnerable-dependencies)."{% ifversion fpt or ghes or ghec %}
- Veja as informações sobre dependências vulneráveis em pull requests. Para obter mais informações, consulte "[Revisar as alterações de dependências em um pull request](/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request)".{% endif %}
## Ecossistemas de pacote compatíveis
diff --git a/translations/pt-BR/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md b/translations/pt-BR/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
index 4ca5859907..412784b191 100644
--- a/translations/pt-BR/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
+++ b/translations/pt-BR/content/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces.md
@@ -27,6 +27,7 @@ Se um repositório pertencer a uma organização, é possível que o administrad
Cada codespace tem o seu próprio período de retenção. Poderão, portanto, ter codespaces com diferentes períodos de retenção. Por exemplo, se:
* Você criou um codespace, mudou seu período de retenção padrão e, posteriormente, criou outro codespace.
+* You created a codespace using {% data variables.product.prodname_cli %} and specified a different retention period.
* Você criou um código a partir de um repositório de propriedade de organização que tem um período de retenção configurado para a organização.
{% note %}
@@ -55,11 +56,10 @@ Cada codespace tem o seu próprio período de retenção. Poderão, portanto, te
1. Clique em **Salvar**.
-Esta configuração padrão pode ser substituída por um período de retenção de nível de organização mais curto.
+When you create a codespace using {% data variables.product.prodname_cli %} you can override this default. If you create a codespace in an organization that specifies a shorter retention period, the organization-level value overrides your personal setting.
Se você definir um período de retenção maior que um dia, você receberá uma notificação por e-mail um dia antes da sua exclusão.
-
## Verificando o tempo restante até a exclusão automática
Você pode verificar se um codespace deve ser excluído automaticamente em breve.
@@ -68,16 +68,19 @@ Quando um codespace inativo está se aproximando do final do seu período de ret

-
{% endwebui %}
-
-
{% cli %}
## Configurando um período de retenção para um codespace
-Você pode definir seu período de retenção padrão no seu navegador web em {% data variables.product.prodname_dotcom_the_website %}. Para mais informações, clique na aba "Navegador Web" na parte superior deste artigo.
+To set the codespace retention period when you create a codespace, use the `--retention-period` flag with the `codespace create` subcommand. Specify the period in days. The period must be between 0 and 30 days.
+
+```shell
+gh codespace create --retention-period DAYS
+```
+
+If you don't specify a retention period when you create a codespace, then either your default retention period, or an organization retention period, will be used, depending on which is lower. For information about setting your default retention period, click the "Web browser" tab on this page.
{% data reusables.cli.cli-learn-more %}
@@ -87,7 +90,7 @@ Você pode definir seu período de retenção padrão no seu navegador web em {%
## Definindo o período de retenção
-Você pode definir seu período de retenção padrão no seu navegador web em {% data variables.product.prodname_dotcom_the_website %}. Para mais informações, clique na aba "Navegador Web" na parte superior deste artigo.
+Você pode definir seu período de retenção padrão no seu navegador web em {% data variables.product.prodname_dotcom_the_website %}. Alternatively, if you use {% data variables.product.prodname_cli %} to create a codespace you can set a retention period for that particular codespace. Para mais informações, clique na guia apropriada acima.
## Verificando se os codespaces serão excluídos automaticamente em breve
diff --git a/translations/pt-BR/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md b/translations/pt-BR/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
index 644e1b2848..fcf57d4ab1 100644
--- a/translations/pt-BR/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
+++ b/translations/pt-BR/content/codespaces/managing-codespaces-for-your-organization/restricting-the-retention-period-for-codespaces.md
@@ -16,13 +16,13 @@ topics:
{% data variables.product.prodname_codespaces %} são automaticamente excluídos depois que forem interrompidos e permanecerem inativos por um número definido de dias. O período de retenção para cada codespace é definido quando o código é criado e não muda.
-Todos os que têm acesso a {% data variables.product.prodname_github_codespaces %} podem configurar um período de retenção para os codespaces que criam. A configuração inicial para este período de retenção é de 30 dias. Usuários individuais podem definir este período dentro do intervalo de 0 a 30 dias. Para obter mais informações, consulte[Configurando a exclusão automática dos seus codespaces](/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces)".
+Todos os que têm acesso a {% data variables.product.prodname_github_codespaces %} podem configurar um período de retenção para os codespaces que criam. The initial setting for this default retention period is 30 days. Usuários individuais podem definir este período dentro do intervalo de 0 a 30 dias. Para obter mais informações, consulte[Configurando a exclusão automática dos seus codespaces](/codespaces/customizing-your-codespace/configuring-automatic-deletion-of-your-codespaces)".
Como proprietário da organização, você pode querer configurar restrições no período máximo de retenção de codespaces criados para os repositórios pertencentes à sua organização. Isso pode ajudar você a limitar os custos de armazenamento associados aos codespaces que são interrompidos e deixados sem uso até que sejam automaticamente excluídos. Para obter mais informações sobre as cobranças de armazenamento, consulte "[Sobre cobrança para codespaces](/billing/managing-billing-for-github-codespaces/about-billing-for-codespaces#codespaces-pricing)". É possível definir um período máximo de retenção para todos ou para repositórios específicos pertencentes à sua organização.
### Definindo políticas específicas da organização e do repositório
-Ao criar uma política, você define se ela se aplica a todos os repositórios da organização ou apenas a repositórios específicos. Se você criar uma política de toda a organização com uma restrição de retenção de codespace, as restrições de retenção em todas as políticas direcionadas a repositórios específicos devem ser mais curtas do que a restrição configurada para toda a organização ou não terão efeito. Aplica-se o período de retenção mais curto, em uma política para toda a organização, uma política orientada a determinados repositórios ou em configurações pessoais de alguém.
+Ao criar uma política, você define se ela se aplica a todos os repositórios da organização ou apenas a repositórios específicos. Se você criar uma política de toda a organização com uma restrição de retenção de codespace, as restrições de retenção em todas as políticas direcionadas a repositórios específicos devem ser mais curtas do que a restrição configurada para toda a organização ou não terão efeito. The shortest retention period - in an organization-wide policy, a policy targeted at specified repositories, or the default retention period in someone's personal settings - is applied.
Se você adicionar uma política para toda a organização com uma restrição de retenção, você deverá definir o período de retenção para o período mais longo aceitável. Em seguida, é possível adicionar políticas separadas que definam o período de retenção máximo para um período mais curto para repositórios específicos na sua organização.
diff --git a/translations/pt-BR/content/codespaces/the-githubdev-web-based-editor.md b/translations/pt-BR/content/codespaces/the-githubdev-web-based-editor.md
index 68cd9cf2b4..20b1513eae 100644
--- a/translations/pt-BR/content/codespaces/the-githubdev-web-based-editor.md
+++ b/translations/pt-BR/content/codespaces/the-githubdev-web-based-editor.md
@@ -34,11 +34,14 @@ O {% data variables.product.prodname_serverless %} é executado inteiramente no
Você pode abrir qualquer repositório de {% data variables.product.prodname_dotcom %} em {% data variables.product.prodname_serverless %} em qualquer uma das seguintes maneiras:
-- Pressione `.` enquanto navega em qualquer repositório ou pull request no {% data variables.product.prodname_dotcom %}.
-- Alterando a URL de "github.com" para "github.dev".
-- When viewing a file, use the dropdown menu next to {% octicon "pencil" aria-label="The edit icon" %} and select **Open in github.dev**.
+- To open the repository in the same browser tab, press `.` while browsing any repository or pull request on {% data variables.product.prodname_dotcom %}.
- 
+ To open the repository in a new browser tab, hold down the shift key and press `.`.
+
+- Alterando a URL de "github.com" para "github.dev".
+- Ao visualizar um arquivo, use o menu suspenso ao lado de {% octicon "pencil" aria-label="The edit icon" %} e selecione **Abrir no github.dev**.
+
+ 
## {% data variables.product.prodname_codespaces %} e {% data variables.product.prodname_serverless %}
diff --git a/translations/pt-BR/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md b/translations/pt-BR/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
index a44069e1ce..b7ddb61d8d 100644
--- a/translations/pt-BR/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
+++ b/translations/pt-BR/content/codespaces/troubleshooting/troubleshooting-dotfiles-for-codespaces.md
@@ -14,9 +14,13 @@ shortTitle: Dotfiles
Se o seu codespace não consegue pegar as configurações de dotfiles, você deverá seguir as etapas de depuração a seguir.
1. Certifique-se de que seu repositório dotfiles seja público. Se você tem segredos ou dados confidenciais que você deseja usar em seu código, use [segredos de codespaces ](/codespaces/managing-your-codespaces/managing-encrypted-secrets-for-your-codespaces) em vez dos dotfiles privados.
-2. Verifique `/workspaces/.codespaces/.persistedshare/dotfiles` para ver se seus dotfiles foram clonados.
- - Se seus dotfiles foram clonados, tente reexecutar manualmente seu script de instalação para verificar se é executável.
- - Se seus dotfiles não foram clonados, consulte `/workspaces/.codespaces/.persistedshare/EnvironmentLog.txt` para ver se houve um problema com a clonagem.
-3. Verifique `/workspaces/.codespaces/.persistedshare/creation.log` com relação a possíveis problemas. Para obter mais informações, consulte [Registros de criação](/codespaces/troubleshooting/codespaces-logs#creation-logs).
+2. Enable dotfiles by selecting **Automatically install dotfiles** in [your personal Codespaces settings](https://github.com/settings/codespaces).
+
+ 
+
+3. Verifique `/workspaces/.codespaces/.persistedshare/dotfiles` para ver se seus dotfiles foram clonados.
+ - Se seus dotfiles foram clonados, tente reexecutar manualmente seu script de instalação para verificar se é executável.
+ - Se seus dotfiles não foram clonados, consulte `/workspaces/.codespaces/.persistedshare/EnvironmentLog.txt` para ver se houve um problema com a clonagem.
+4. Verifique `/workspaces/.codespaces/.persistedshare/creation.log` com relação a possíveis problemas. Para obter mais informações, consulte [Registros de criação](/codespaces/troubleshooting/codespaces-logs#creation-logs).
Se a configuração de seus dotfiles for selecionada corretamente, mas parte da configuração for incompatível com os codespaces, use a variável de ambiente `$CODESPACES` para adicionar lógica condicional para configurações específicas do codespace.
diff --git a/translations/pt-BR/content/copilot/getting-started-with-github-copilot/getting-started-with-github-copilot-in-visual-studio-code.md b/translations/pt-BR/content/copilot/getting-started-with-github-copilot/getting-started-with-github-copilot-in-visual-studio-code.md
index cca8868c7b..d2d59126ea 100644
--- a/translations/pt-BR/content/copilot/getting-started-with-github-copilot/getting-started-with-github-copilot-in-visual-studio-code.md
+++ b/translations/pt-BR/content/copilot/getting-started-with-github-copilot/getting-started-with-github-copilot-in-visual-studio-code.md
@@ -4,8 +4,8 @@ shortTitle: Visual Studio Code
intro: 'Learn how to install {% data variables.product.prodname_copilot %} in {% data variables.product.prodname_vscode %}, and start seeing suggestions as you write comments and code.'
product: '{% data reusables.gated-features.copilot %}'
versions:
- feature: 'copilot'
-topics:
+ feature: copilot
+topics:
- Copilot
---
diff --git a/translations/pt-BR/content/copilot/quickstart.md b/translations/pt-BR/content/copilot/quickstart.md
index a18dea0b97..174908fc13 100644
--- a/translations/pt-BR/content/copilot/quickstart.md
+++ b/translations/pt-BR/content/copilot/quickstart.md
@@ -4,7 +4,7 @@ intro: '{% data variables.product.prodname_copilot %} can help you work, by offe
product: '{% data reusables.gated-features.copilot %}'
allowTitleToDifferFromFilename: true
versions:
- feature: 'copilot'
+ feature: copilot
shortTitle: Quickstart
topics:
- Copilot
diff --git a/translations/pt-BR/content/developers/apps/building-github-apps/creating-a-github-app-using-url-parameters.md b/translations/pt-BR/content/developers/apps/building-github-apps/creating-a-github-app-using-url-parameters.md
index b28095cf52..caede1b13b 100644
--- a/translations/pt-BR/content/developers/apps/building-github-apps/creating-a-github-app-using-url-parameters.md
+++ b/translations/pt-BR/content/developers/apps/building-github-apps/creating-a-github-app-using-url-parameters.md
@@ -23,9 +23,7 @@ Você pode adicionar parâmetros de consulta a essas URLs para pré-selecionar a
A pessoa que está criando o aplicativo pode editar os valores pré-selecionados a partir da página de registro do {% data variables.product.prodname_github_app %}, antes de enviar o aplicativo. Se você não incluir os parâmetros necessários na string de consulta da URL, como, por exemplo, o `nome`, a pessoa que criar o aplicativo deverá inserir um valor antes de enviar o aplicativo.
-{% ifversion ghes > 3.1 or fpt or ghae or ghec %}
Para aplicativos que exigem que um segredo proteja seu webhook, o valor do segredo deve ser definido no formulário pela pessoa que criou o aplicativo, não pelo uso de parâmetros de consulta. Para obter mais informações, consulte "[Protegendo seus webhooks](/developers/webhooks-and-events/webhooks/securing-your-webhooks)".
-{% endif %}
A URL a seguir cria um novo aplicativo pública denominado `octocat-github-app` com uma descrição pré-configurada e URL de chamada de retorno. Esta URL também seleciona permissões de leitura e gravação para `verificações`, inscreve-se nos eventos webhook de check_run` e check_suite` e seleciona a opção de solicitar autorização do usuário (OAuth) durante a instalação:
@@ -37,61 +35,61 @@ Lista completa de parâmetros de consulta, permissões e eventos disponíveis en
## Parâmetros de configuração do {% data variables.product.prodname_github_app %}
- | Nome | Tipo | Descrição |
- | -------------------------------------------------- | ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
- | `name` | `string` | O nome do {% data variables.product.prodname_github_app %}. Dê um nome claro e sucinto ao seu aplicativo. Seu aplicativo não pode ter o mesmo nome de um usuário existente no GitHub, a menos que seja o seu próprio nome de usuário ou da sua organização. Uma versão movida do nome do seu aplicativo será exibida na interface do usuário quando sua integração realizar uma ação. |
- | `descrição` | `string` | Uma descrição do {% data variables.product.prodname_github_app %}. |
- | `url` | `string` | A URL completa da página inicial do site do seu {% data variables.product.prodname_github_app %}. |
- | `callback_urls` | `array de strigns` | Uma URL completa para a qual redirecionar após alguém autorizar uma instalação. Você pode fornecer até 10 URLs de retorno de chamada. Essas URLs são usadas se o aplicativo precisar identificar e autorizar solicitações de usuário para servidor. Por exemplo, `callback_urls[]=https://example.com&callback_urls[]=https://example-2.com`. |
- | `request_oauth_on_install` | `boolean` | Se seu aplicativo autoriza usuários a usar o fluxo OAuth, você poderá definir essa opção como `verdadeiro` para permitir que pessoas autorizem o aplicativo ao instalá-lo, economizando um passo. Se você selecionar esta opção, `setup_url` irá tornar-se indisponível e os usuários serão redirecionados para sua `callback_url` após instalar o aplicativo. |
- | `setup_url` | `string` | A URL completa para redirecionamento após alguém instalar o {% data variables.product.prodname_github_app %}, se o aplicativo precisar de configuração adicional após a instalação. |
- | `setup_on_update` | `boolean` | Defina como `verdadeiro` para redirecionar as pessoas para a URL de configuração quando as instalações forem atualizadas, por exemplo, após os repositórios serem adicionados ou removidos. |
- | `público` | `boolean` | Defina `verdadeiro` quando seu {% data variables.product.prodname_github_app %} estiver disponível para o público ou como `falso` quando só for acessível pelo proprietário do aplicativo. |
- | `webhook_active` | `boolean` | Defina como `falso` para desabilitar o webhook. O webhook está habilitado por padrão. |
- | `webhook_url` | `string` | A URL completa para a qual você deseja enviar as cargas do evento de webhook. |
- | {% ifversion ghes < 3.2 or ghae %}`webhook_secret` | `string` | Você pode especificar um segredo para proteger seus webhooks. Consulte "[Protegendo seus webhooks](/webhooks/securing/)" para obter mais detalhes. |
- | {% endif %}`events` | `array de strigns` | Eventos webhook. Alguns eventos de webhook exigem permissões de `leitura` ou `gravação` para um recurso antes de poder selecionar o evento ao registrar um novo {% data variables.product.prodname_github_app %}, . Consulte a seção "[{% data variables.product.prodname_github_app %} eventos de webhook](#github-app-webhook-events)" para eventos disponíveis e suas permissões necessárias. Você pode selecionar vários eventos em uma string de consulta. Por exemplo, `eventos[]=public&eventos[]=label`.{% ifversion ghes < 3.4 %}
- | `domínio` | `string` | A URL de uma referência de conteúdo.{% endif %}
- | `single_file_name` | `string` | Esta é uma permissão de escopo limitado que permite que o aplicativo acesse um único arquivo em qualquer repositório. Quando você define a permissão `single_file` para `read` ou `write`, este campo fornece o caminho para o único arquivo que o {% data variables.product.prodname_github_app %} gerenciará. {% ifversion fpt or ghes or ghec %} Se você precisar gerenciar vários arquivos, veja `single_file_paths` abaixo. {% endif %}{% ifversion fpt or ghes or ghec %}
- | `single_file_paths` | `array de strigns` | Isso permite que o aplicativo acesse até dez arquivos especificados em um repositório. Quando você define a permissão `single_file` para `read` ou `write`, este array pode armazenar os caminhos de até dez arquivos que seu {% data variables.product.prodname_github_app %} gerenciará. Todos esses arquivos recebem a mesma permissão definida por `single_file`, e não têm permissões individuais separadas. Quando dois ou mais arquivos estão configurados, a API retorna `multiple_single_files=true`, caso contrário retorna `multiple_single_files=false`.{% endif %}
+ | Nome | Tipo | Descrição |
+ | ------------------------------------ | ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+ | `name` | `string` | O nome do {% data variables.product.prodname_github_app %}. Dê um nome claro e sucinto ao seu aplicativo. Seu aplicativo não pode ter o mesmo nome de um usuário existente no GitHub, a menos que seja o seu próprio nome de usuário ou da sua organização. Uma versão movida do nome do seu aplicativo será exibida na interface do usuário quando sua integração realizar uma ação. |
+ | `descrição` | `string` | Uma descrição do {% data variables.product.prodname_github_app %}. |
+ | `url` | `string` | A URL completa da página inicial do site do seu {% data variables.product.prodname_github_app %}. |
+ | `callback_urls` | `array de strigns` | Uma URL completa para a qual redirecionar após alguém autorizar uma instalação. Você pode fornecer até 10 URLs de retorno de chamada. Essas URLs são usadas se o aplicativo precisar identificar e autorizar solicitações de usuário para servidor. Por exemplo, `callback_urls[]=https://example.com&callback_urls[]=https://example-2.com`. |
+ | `request_oauth_on_install` | `boolean` | Se seu aplicativo autoriza usuários a usar o fluxo OAuth, você poderá definir essa opção como `verdadeiro` para permitir que pessoas autorizem o aplicativo ao instalá-lo, economizando um passo. Se você selecionar esta opção, `setup_url` irá tornar-se indisponível e os usuários serão redirecionados para sua `callback_url` após instalar o aplicativo. |
+ | `setup_url` | `string` | A URL completa para redirecionamento após alguém instalar o {% data variables.product.prodname_github_app %}, se o aplicativo precisar de configuração adicional após a instalação. |
+ | `setup_on_update` | `boolean` | Defina como `verdadeiro` para redirecionar as pessoas para a URL de configuração quando as instalações forem atualizadas, por exemplo, após os repositórios serem adicionados ou removidos. |
+ | `público` | `boolean` | Defina `verdadeiro` quando seu {% data variables.product.prodname_github_app %} estiver disponível para o público ou como `falso` quando só for acessível pelo proprietário do aplicativo. |
+ | `webhook_active` | `boolean` | Defina como `falso` para desabilitar o webhook. O webhook está habilitado por padrão. |
+ | `webhook_url` | `string` | A URL completa para a qual você deseja enviar as cargas do evento de webhook. |
+ | {% ifversion ghae %}`webhook_secret` | `string` | Você pode especificar um segredo para proteger seus webhooks. Consulte "[Protegendo seus webhooks](/webhooks/securing/)" para obter mais detalhes. |
+ | {% endif %}`events` | `array de strigns` | Eventos webhook. Alguns eventos de webhook exigem permissões de `leitura` ou `gravação` para um recurso antes de poder selecionar o evento ao registrar um novo {% data variables.product.prodname_github_app %}, . Consulte a seção "[{% data variables.product.prodname_github_app %} eventos de webhook](#github-app-webhook-events)" para eventos disponíveis e suas permissões necessárias. Você pode selecionar vários eventos em uma string de consulta. Por exemplo, `eventos[]=public&eventos[]=label`.{% ifversion ghes < 3.4 %}
+ | `domínio` | `string` | A URL de uma referência de conteúdo.{% endif %}
+ | `single_file_name` | `string` | Esta é uma permissão de escopo limitado que permite que o aplicativo acesse um único arquivo em qualquer repositório. Quando você define a permissão `single_file` para `read` ou `write`, este campo fornece o caminho para o único arquivo que o {% data variables.product.prodname_github_app %} gerenciará. {% ifversion fpt or ghes or ghec %} Se você precisar gerenciar vários arquivos, veja `single_file_paths` abaixo. {% endif %}{% ifversion fpt or ghes or ghec %}
+ | `single_file_paths` | `array de strigns` | Isso permite que o aplicativo acesse até dez arquivos especificados em um repositório. Quando você define a permissão `single_file` para `read` ou `write`, este array pode armazenar os caminhos de até dez arquivos que seu {% data variables.product.prodname_github_app %} gerenciará. Todos esses arquivos recebem a mesma permissão definida por `single_file`, e não têm permissões individuais separadas. Quando dois ou mais arquivos estão configurados, a API retorna `multiple_single_files=true`, caso contrário retorna `multiple_single_files=false`.{% endif %}
## Permissões do {% data variables.product.prodname_github_app %}
Você pode selecionar permissões em uma string de consultas usando o nome da permissão na tabela a seguir como o nome do parâmetro de consulta e o tipo de permissão como valor da consulta. Por exemplo, para selecionar permissões de `Leitura & gravação` na interface de usuário para `conteúdo`, sua string de consulta incluiria `&contents=write`. Para selecionar as permissões `Somente leitura` na interface de usuário para `bloquear`, sua string de consulta incluiria `&blocking=read`. Para selecionar `sem acesso` na interface do usuário para `verificações`, sua string de consulta não incluiria a permissão `verificações`.
-| Permissão | Descrição |
-| -------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ |
+| Permissão | Descrição |
+| -------------------------------------------------------------------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| [`administração`](/rest/reference/permissions-required-for-github-apps/#permission-on-administration) | Concede acesso a vários pontos finais para administração de organização e repositório. Pode ser: `nenhum`, `leitura` ou `gravação`.{% ifversion fpt or ghec %}
| [`bloqueio`](/rest/reference/permissions-required-for-github-apps/#permission-on-blocking) | Concede acesso à [API de usuários de bloqueio](/rest/reference/users#blocking). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
| [`Verificações`](/rest/reference/permissions-required-for-github-apps/#permission-on-checks) | Concede acesso à [API de verificação](/rest/reference/checks). Pode ser: `nenhum`, `leitura` ou `gravação`.{% ifversion ghes < 3.4 %}
| `content_references` | Concede acesso ao ponto final "[Criar um anexo de conteúdo](/rest/reference/apps#create-a-content-attachment). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
-| [`Conteúdo`](/rest/reference/permissions-required-for-github-apps/#permission-on-contents) | Concede acesso a vários pontos finais que permitem modificar o conteúdo do repositório. Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`Conteúdo`](/rest/reference/permissions-required-for-github-apps/#permission-on-contents) | Concede acesso a vários pontos finais que permitem modificar o conteúdo do repositório. Pode ser: `nenhum`, `leitura` ou `gravação`. |
| [`Implantações`](/rest/reference/permissions-required-for-github-apps/#permission-on-deployments) | Concede acesso à [API de implementação](/rest/reference/repos#deployments). Pode ser: `nenhum`, `leitura` ou `gravação`.{% ifversion fpt or ghes or ghec %}
| [`emails`](/rest/reference/permissions-required-for-github-apps/#permission-on-emails) | Concede acesso à [API de e-mails](/rest/reference/users#emails). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
-| [`seguidores`](/rest/reference/permissions-required-for-github-apps/#permission-on-followers) | Concede acesso à [API de seguidores](/rest/reference/users#followers). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`gpg_keys`](/rest/reference/permissions-required-for-github-apps/#permission-on-gpg-keys) | Concede acesso à [API de chaves de GPG](/rest/reference/users#gpg-keys). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`Problemas`](/rest/reference/permissions-required-for-github-apps/#permission-on-issues) | Concede acesso à [API de problemas](/rest/reference/issues). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`chaves`](/rest/reference/permissions-required-for-github-apps/#permission-on-keys) | Concede acesso à [API de chaves públicas](/rest/reference/users#keys). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`seguidores`](/rest/reference/permissions-required-for-github-apps/#permission-on-followers) | Concede acesso à [API de seguidores](/rest/reference/users#followers). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`gpg_keys`](/rest/reference/permissions-required-for-github-apps/#permission-on-gpg-keys) | Concede acesso à [API de chaves de GPG](/rest/reference/users#gpg-keys). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`Problemas`](/rest/reference/permissions-required-for-github-apps/#permission-on-issues) | Concede acesso à [API de problemas](/rest/reference/issues). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`chaves`](/rest/reference/permissions-required-for-github-apps/#permission-on-keys) | Concede acesso à [API de chaves públicas](/rest/reference/users#keys). Pode ser: `nenhum`, `leitura` ou `gravação`. |
| [`members`](/rest/reference/permissions-required-for-github-apps/#permission-on-members) | Concede acesso para gerenciar os membros de uma organização. Pode ser: `nenhum`, `leitura` ou `gravação`.{% ifversion fpt or ghec %}
-| [`metadados`](/rest/reference/permissions-required-for-github-apps/#metadata-permissions) | Concede acesso a pontos finais somente leitura que não vazam dados confidenciais. Pode ser `leitura ` ou `nenhum`. O padrão é `leitura`, ao definir qualquer permissão, ou `nenhum` quando você não especificar nenhuma permissão para o {% data variables.product.prodname_github_app %}. |
+| [`metadados`](/rest/reference/permissions-required-for-github-apps/#metadata-permissions) | Concede acesso a pontos finais somente leitura que não vazam dados confidenciais. Pode ser `leitura ` ou `nenhum`. O padrão é `leitura`, ao definir qualquer permissão, ou `nenhum` quando você não especificar nenhuma permissão para o {% data variables.product.prodname_github_app %}. |
| [`organization_administration`](/rest/reference/permissions-required-for-github-apps/#permission-on-organization-administration) | Concede acesso ao ponto final "[Atualizar uma organização](/rest/reference/orgs#update-an-organization)" ponto final e Pa [API de restrições de interação da organização](/rest/reference/interactions#set-interaction-restrictions-for-an-organization). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
-| [`organization_hooks`](/rest/reference/permissions-required-for-github-apps/#permission-on-organization-hooks) | Concede acesso à [API de webhooks da organização](/rest/reference/orgs#webhooks/). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| `organization_plan` | Concede acesso para obter informações sobre o plano de uma organização usando o ponto final "[Obter uma organização](/rest/reference/orgs#get-an-organization)". Pode ser: `nenhum` ou `leitura`. |
+| [`organization_hooks`](/rest/reference/permissions-required-for-github-apps/#permission-on-organization-hooks) | Concede acesso à [API de webhooks da organização](/rest/reference/orgs#webhooks/). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| `organization_plan` | Concede acesso para obter informações sobre o plano de uma organização usando o ponto final "[Obter uma organização](/rest/reference/orgs#get-an-organization)". Pode ser: `nenhum` ou `leitura`. |
| [`organization_projects`](/rest/reference/permissions-required-for-github-apps/#permission-on-organization-projects) | Concede acesso à [API de Projetos](/rest/reference/projects). Pode ser: `nenhum`, `leitura`, `gravação` ou `administrador`.{% ifversion fpt or ghec %}
| [`organization_user_blocking`](/rest/reference/permissions-required-for-github-apps/#permission-on-organization-projects) | Concede acesso à [API de usuários de bloqueio da organização](/rest/reference/orgs#blocking). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
-| [`Páginas`](/rest/reference/permissions-required-for-github-apps/#permission-on-pages) | Concede acesso à [API de páginas](/rest/reference/repos#pages). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| `plano` | Concede acesso para obter informações sobre o plano de um usuário do GitHub que usa o ponto final "[Obter um usuário](/rest/reference/users#get-a-user)". Pode ser: `nenhum` ou `leitura`. |
-| [`pull_requests`](/rest/reference/permissions-required-for-github-apps/#permission-on-pull-requests) | Concede acesso a vários pontos finais do pull request. Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`repository_hooks`](/rest/reference/permissions-required-for-github-apps/#permission-on-repository-hooks) | Concede acesso à [API de webhooks do repositório](/rest/reference/repos#hooks). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`Páginas`](/rest/reference/permissions-required-for-github-apps/#permission-on-pages) | Concede acesso à [API de páginas](/rest/reference/repos#pages). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| `plano` | Concede acesso para obter informações sobre o plano de um usuário do GitHub que usa o ponto final "[Obter um usuário](/rest/reference/users#get-a-user)". Pode ser: `nenhum` ou `leitura`. |
+| [`pull_requests`](/rest/reference/permissions-required-for-github-apps/#permission-on-pull-requests) | Concede acesso a vários pontos finais do pull request. Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`repository_hooks`](/rest/reference/permissions-required-for-github-apps/#permission-on-repository-hooks) | Concede acesso à [API de webhooks do repositório](/rest/reference/repos#hooks). Pode ser: `nenhum`, `leitura` ou `gravação`. |
| [`repository_projects`](/rest/reference/permissions-required-for-github-apps/#permission-on-repository-projects) | Concede acesso à [API de Projetos](/rest/reference/projects). Pode ser: `nenhum`, `leitura`, `gravação` ou `administrador`.{% ifversion ghes or ghec %}
| [`secret_scanning_alerts`](/rest/reference/permissions-required-for-github-apps/#permission-on-secret-scanning-alerts) | Concede acesso à [API de varredura de segredo](/rest/reference/secret-scanning). Pode ser: `none`, `read` ou `write`.{% endif %}{% ifversion fpt or ghes or ghec %}
| [`security_events`](/rest/reference/permissions-required-for-github-apps/#permission-on-security-events) | Concede acesso à [API de varredura de código](/rest/reference/code-scanning/). Pode ser: `nenhum`, `leitura` ou `gravação`.{% endif %}
-| [`single_file`](/rest/reference/permissions-required-for-github-apps/#permission-on-single-file) | Concede acesso à [API de conteúdo](/rest/reference/repos#contents). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`estrela`](/rest/reference/permissions-required-for-github-apps/#permission-on-starring) | Concede acesso à [API estrelada](/rest/reference/activity#starring). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`Status`](/rest/reference/permissions-required-for-github-apps/#permission-on-statuses) | Concede acesso à [API de status](/rest/reference/commits#commit-statuses). Pode ser: `nenhum`, `leitura` ou `gravação`. |
-| [`team_discussions`](/rest/reference/permissions-required-for-github-apps/#permission-on-team-discussions) | Concede acesso à [API de discussões de equipe](/rest/reference/teams#discussions) e à [API de comentários de discussão de equipe](/rest/reference/teams#discussion-comments). Pode ser: `nenhum`, `leitura` ou `gravação`.{% ifversion fpt or ghes or ghae or ghec %}
-| `vulnerability_alerts` | Concede acesso para receber {% data variables.product.prodname_dependabot_alerts %} em um repositório. Consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts)" para saber mais. Pode ser: `none` ou `read`.{% endif %}
-| `inspecionando` | Concede acesso à lista e alterações de repositórios que um usuário assinou. Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`single_file`](/rest/reference/permissions-required-for-github-apps/#permission-on-single-file) | Concede acesso à [API de conteúdo](/rest/reference/repos#contents). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`estrela`](/rest/reference/permissions-required-for-github-apps/#permission-on-starring) | Concede acesso à [API estrelada](/rest/reference/activity#starring). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`Status`](/rest/reference/permissions-required-for-github-apps/#permission-on-statuses) | Concede acesso à [API de status](/rest/reference/commits#commit-statuses). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| [`team_discussions`](/rest/reference/permissions-required-for-github-apps/#permission-on-team-discussions) | Concede acesso à [API de discussões de equipe](/rest/reference/teams#discussions) e à [API de comentários de discussão de equipe](/rest/reference/teams#discussion-comments). Pode ser: `nenhum`, `leitura` ou `gravação`. |
+| `vulnerability_alerts` | Concede acesso para receber {% data variables.product.prodname_dependabot_alerts %} em um repositório. Consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts)" para saber mais. Pode ser: `nenhum` ou `leitura`. |
+| `inspecionando` | Concede acesso à lista e alterações de repositórios que um usuário assinou. Pode ser: `nenhum`, `leitura` ou `gravação`. |
## Eventos webhook do {% data variables.product.prodname_github_app %}
diff --git a/translations/pt-BR/content/developers/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps.md b/translations/pt-BR/content/developers/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps.md
index cfefec3a2f..4e1d19b84c 100644
--- a/translations/pt-BR/content/developers/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps.md
+++ b/translations/pt-BR/content/developers/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps.md
@@ -95,9 +95,9 @@ Por padrão, a resposta assume o seguinte formato. Os parâmetros de resposta `e
```json
{
- "access_token": "{% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghu_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}",
+ "access_token": "ghu_16C7e42F292c6912E7710c838347Ae178B4a",
"expires_in": 28800,
- "refresh_token": "{% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghr_1B4a2e77838347a7E420ce178F2E7c6912E169246c34E1ccbF66C46812d16D5B1A9Dc86A1498{% else %}r1.c1b4a2e77838347a7e420ce178f2e7c6912e1692{% endif %}",
+ "refresh_token": "ghr_1B4a2e77838347a7E420ce178F2E7c6912E169246c34E1ccbF66C46812d16D5B1A9Dc86A1498",
"refresh_token_expires_in": 15811200,
"scope": "",
"token_type": "bearer"
@@ -159,7 +159,7 @@ Como as permissões de nível de usuário são concedidas em uma base de usuári
## Solicitações de usuário para servidor
-Embora a maior parte da interação da sua API deva ocorrer usando os tokens de acesso de servidor para servidor, certos pontos de extremidade permitem que você execute ações por meio da API usando um token de acesso do usuário. Seu aplicativo pode fazer as seguintes solicitações usando pontos de extremidade do [GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql) ou [REST](/rest).
+Embora a maior parte da interação da sua API deva ocorrer usando os tokens de acesso de servidor para servidor, certos pontos de extremidade permitem que você execute ações por meio da API usando um token de acesso do usuário. Seu aplicativo pode fazer as seguintes solicitações usando pontos de extremidade do [GraphQL](/graphql) ou [REST](/rest).
### Pontos de extremidade compatíveis
@@ -913,10 +913,7 @@ Embora a maior parte da interação da sua API deva ocorrer usando os tokens de
* [Obter uso do workflow](/rest/actions#get-workflow-usage)
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
## Leia mais
- "[Sobre a autenticação em {% data variables.product.prodname_dotcom %}](/github/authenticating-to-github/about-authentication-to-github#githubs-token-formats)"
-{% endif %}
diff --git a/translations/pt-BR/content/developers/apps/building-github-apps/rate-limits-for-github-apps.md b/translations/pt-BR/content/developers/apps/building-github-apps/rate-limits-for-github-apps.md
index e0ef16fd30..f476d28b5a 100644
--- a/translations/pt-BR/content/developers/apps/building-github-apps/rate-limits-for-github-apps.md
+++ b/translations/pt-BR/content/developers/apps/building-github-apps/rate-limits-for-github-apps.md
@@ -82,4 +82,4 @@ Os limites de taxa para as solicitações de servidor para servidor feitas por {
## Leia mais
- "[Limite de taxa](/rest/overview/resources-in-the-rest-api#rate-limiting)" na documentação da API REST
-- "[Limitações de recursos]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/overview/resource-limitations)" na documentação da API do GraphQL
+- "[Limitações de recursos](/graphql/overview/resource-limitations)" na documentação da API do GraphQL
diff --git a/translations/pt-BR/content/developers/apps/building-github-apps/refreshing-user-to-server-access-tokens.md b/translations/pt-BR/content/developers/apps/building-github-apps/refreshing-user-to-server-access-tokens.md
index 56e6f547f8..ca726e6e06 100644
--- a/translations/pt-BR/content/developers/apps/building-github-apps/refreshing-user-to-server-access-tokens.md
+++ b/translations/pt-BR/content/developers/apps/building-github-apps/refreshing-user-to-server-access-tokens.md
@@ -43,9 +43,9 @@ Esta solicitação de retorno de chamada enviará um novo token de acesso e um n
```json
{
- "access_token": "{% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghu_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}",
+ "access_token": "ghu_16C7e42F292c6912E7710c838347Ae178B4a",
"expires_in": "28800",
- "refresh_token": "{% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghr_1B4a2e77838347a7E420ce178F2E7c6912E169246c34E1ccbF66C46812d16D5B1A9Dc86A1498{% else %}r1.c1b4a2e77838347a7e420ce178f2e7c6912e169246c34e1ccbf66c46812d16d5b1a9dc86a149873c{% endif %}",
+ "refresh_token": "ghr_1B4a2e77838347a7E420ce178F2E7c6912E169246c34E1ccbF66C46812d16D5B1A9Dc86A1498",
"refresh_token_expires_in": "15811200",
"scope": "",
"token_type": "bearer"
@@ -74,10 +74,7 @@ Os {% data variables.product.prodname_github_apps %} existentes que usa tokens d
Habilitar o vencimento de tokens de usuário para {% data variables.product.prodname_github_apps %} existentes exige o envio de usuários por meio do do fluxo do OAuth para reemitir tokens de usuário que vencerão em 8 horas e fazer uma solicitação com o token de atualização para obter um novo token de acesso e token de atualização. Para obter mais informações, consulte "[Identificar e autorizar usuários para aplicativos GitHub](/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps/)".
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
## Leia mais
- "[Sobre a autenticação em {% data variables.product.prodname_dotcom %}](/github/authenticating-to-github/about-authentication-to-github#githubs-token-formats)"
-{% endif %}
diff --git a/translations/pt-BR/content/developers/apps/building-oauth-apps/authorizing-oauth-apps.md b/translations/pt-BR/content/developers/apps/building-oauth-apps/authorizing-oauth-apps.md
index 9b642f7cc1..201d73dc0c 100644
--- a/translations/pt-BR/content/developers/apps/building-oauth-apps/authorizing-oauth-apps.md
+++ b/translations/pt-BR/content/developers/apps/building-oauth-apps/authorizing-oauth-apps.md
@@ -80,7 +80,7 @@ Troque este `código` por um token de acesso:
Por padrão, a resposta assume o seguinte formato:
```
-access_token={% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}&scope=repo%2Cgist&token_type=bearer
+access_token=gho_16C7e42F292c6912E7710c838347Ae178B4a&scope=repo%2Cgist&token_type=bearer
```
{% data reusables.apps.oauth-auth-vary-response %}
@@ -88,7 +88,7 @@ access_token={% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c69
```json
Accept: application/json
{
- "access_token":"{% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}",
+ "access_token":"gho_16C7e42F292c6912E7710c838347Ae178B4a",
"scope":"repo,gist",
"token_type":"bearer"
}
@@ -99,7 +99,7 @@ Accept: application/xml
bearer
repo,gist
- {% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}
+ gho_16C7e42F292c6912E7710c838347Ae178B4a
```
@@ -222,7 +222,7 @@ Uma vez que o usuário tenha autorizado, o aplicativo receberá um token de aces
Por padrão, a resposta assume o seguinte formato:
```
-access_token={% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}&token_type=bearer&scope=repo%2Cgist
+access_token=gho_16C7e42F292c6912E7710c838347Ae178B4a&token_type=bearer&scope=repo%2Cgist
```
{% data reusables.apps.oauth-auth-vary-response %}
@@ -230,7 +230,7 @@ access_token={% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c69
```json
Accept: application/json
{
- "access_token": "{% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}",
+ "access_token": "gho_16C7e42F292c6912E7710c838347Ae178B4a",
"token_type": "bearer",
"scope": "repo,gist"
}
@@ -239,7 +239,7 @@ Accept: application/json
```xml
Accept: application/xml
- {% ifversion fpt or ghes > 3.1 or ghae or ghec %}gho_16C7e42F292c6912E7710c838347Ae178B4a{% else %}e72e16c7e42f292c6912e7710c838347ae178b4a{% endif %}
+ gho_16C7e42F292c6912E7710c838347Ae178B4a
bearer
gist,repo
@@ -266,7 +266,6 @@ Se você fizer mais de uma solicitação de token de acesso (`POST {% data varia
Para obter mais informações, consulte "[Concessão de Autorização do Dispositivo OAuth 2.0](https://tools.ietf.org/html/rfc8628#section-3.5)".
-
## Fluxo do aplicativo que não são da web
A autenticação que não é da web está disponível para situações limitadas como testes. Se necessário, você pode usar a [autenticação básica](/rest/overview/other-authentication-methods#basic-authentication) para criar um token de acesso usando a sua [página pessoal de configurações de tokens de acesso](/articles/creating-an-access-token-for-command-line-use). Essa técnica permite ao usuário revogar o acesso a qualquer momento.
diff --git a/translations/pt-BR/content/developers/apps/building-oauth-apps/scopes-for-oauth-apps.md b/translations/pt-BR/content/developers/apps/building-oauth-apps/scopes-for-oauth-apps.md
index af483bd797..14b17c4e76 100644
--- a/translations/pt-BR/content/developers/apps/building-oauth-apps/scopes-for-oauth-apps.md
+++ b/translations/pt-BR/content/developers/apps/building-oauth-apps/scopes-for-oauth-apps.md
@@ -71,8 +71,8 @@ X-Accepted-OAuth-Scopes: user
| **`write:discussion`** | Permite acesso de leitura e gravação para discussões da equipe. |
| `leia:discussion` | Permite acesso de leitura para discussões em equipe. |
| **`write:packages`** | Concede acesso ao para fazer o upload ou publicação de um pacote no {% data variables.product.prodname_registry %}. Para obter mais informações, consulte "[Publicar um pacote](/github/managing-packages-with-github-packages/publishing-a-package)". |
-| **`read:packages`** | Concede acesso ao download ou instalação de pacotes do {% data variables.product.prodname_registry %}. Para obter mais informações, consulte "[Instalando um pacote](/github/managing-packages-with-github-packages/installing-a-package)".{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-| **`delete:packages`** | Concede acesso para excluir pacotes de {% data variables.product.prodname_registry %}. Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| **`read:packages`** | Concede acesso ao download ou instalação de pacotes do {% data variables.product.prodname_registry %}. Para obter mais informações, consulte "[Instalando um pacote](/github/managing-packages-with-github-packages/installing-a-package)". |
+| **`delete:packages`** | Concede acesso para excluir pacotes de {% data variables.product.prodname_registry %}. Para obter mais informações, consulte "[Excluir e restaurar um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)". |
| **`admin:gpg_key`** | Gerenciar totalmente as chaves GPG. |
| `write:gpg_key` | Criar, listar e visualizar informações das chaves GPG. |
| `read:gpg_key` | Listar e visualizar informações das chaves GPG.{% ifversion fpt or ghec %}
diff --git a/translations/pt-BR/content/developers/apps/getting-started-with-apps/migrating-oauth-apps-to-github-apps.md b/translations/pt-BR/content/developers/apps/getting-started-with-apps/migrating-oauth-apps-to-github-apps.md
index e13a56cf74..0ee5eb6c21 100644
--- a/translations/pt-BR/content/developers/apps/getting-started-with-apps/migrating-oauth-apps-to-github-apps.md
+++ b/translations/pt-BR/content/developers/apps/getting-started-with-apps/migrating-oauth-apps-to-github-apps.md
@@ -47,13 +47,13 @@ Essas diretrizes assumem que você tem um aplicativo OAuth registrado{% ifversio
### Revise os pontos finais da API disponíveis para os aplicativos do GitHub
-Embora a maioria dos pontos finais da [API REST](/rest) e as consultas do [GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql) estejam disponíveis para os aplicativos GitHub atualmente, ainda estamos em vias de habilitar alguns pontos finais. Revise os [pontos finais da REST disponíveis](/rest/overview/endpoints-available-for-github-apps) para garantir que os pontos finais de que você precisa sejam compatíveis com o aplicativo GitHub. Observe que alguns dos pontos finais da API ativados para os aplicativos GitHub permitem que o aplicativo aja em nome do usuário. Consulte "[Solicitações de usuário para servidor](/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps/#user-to-server-requests)" para obter uma lista de pontos finais que permitem que um aplicativo GitHub seja autenticado como usuário.
+Embora a maioria dos pontos finais da [API REST](/rest) e as consultas do [GraphQL](/graphql) estejam disponíveis para os aplicativos GitHub atualmente, ainda estamos em vias de habilitar alguns pontos finais. Revise os [pontos finais da REST disponíveis](/rest/overview/endpoints-available-for-github-apps) para garantir que os pontos finais de que você precisa sejam compatíveis com o aplicativo GitHub. Observe que alguns dos pontos finais da API ativados para os aplicativos GitHub permitem que o aplicativo aja em nome do usuário. Consulte "[Solicitações de usuário para servidor](/apps/building-github-apps/identifying-and-authorizing-users-for-github-apps/#user-to-server-requests)" para obter uma lista de pontos finais que permitem que um aplicativo GitHub seja autenticado como usuário.
Recomendamos que você reveja a lista de pontos finais de API de que você precisa assim que possível. Informe ao suporte se há um ponto de extremidade necessário que ainda não esteja habilitado para {% data variables.product.prodname_github_apps %}.
### Projete para permanecer dentro dos limites de taxa da API
-Os aplicativos GitHub usam [regras móveis para limites de taxa](/apps/building-github-apps/understanding-rate-limits-for-github-apps/), que podem aumentar com base no número de repositórios e usuários da organização. Um aplicativo do GitHub também pode usar [solicitações condicionais](/rest/overview/resources-in-the-rest-api#conditional-requests) ou consolidar solicitações usando a [API do GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql).
+Os aplicativos GitHub usam [regras móveis para limites de taxa](/apps/building-github-apps/understanding-rate-limits-for-github-apps/), que podem aumentar com base no número de repositórios e usuários da organização. Um aplicativo do GitHub também pode usar [solicitações condicionais](/rest/overview/resources-in-the-rest-api#conditional-requests) ou consolidar solicitações usando a [API do GraphQL](/graphql).
### Cadastre um novo aplicativo GitHub
diff --git a/translations/pt-BR/content/developers/apps/guides/creating-ci-tests-with-the-checks-api.md b/translations/pt-BR/content/developers/apps/guides/creating-ci-tests-with-the-checks-api.md
index 062b97125d..9b5709b70f 100644
--- a/translations/pt-BR/content/developers/apps/guides/creating-ci-tests-with-the-checks-api.md
+++ b/translations/pt-BR/content/developers/apps/guides/creating-ci-tests-with-the-checks-api.md
@@ -53,7 +53,7 @@ Para ter uma ideia do que seu servidor de CI da API de verificações fará quan
## Pré-requisitos
-Antes de começar, é possível que você deseje familiarizar-se com os [aplicativos GitHub](/apps/), [Webhooks](/webhooks) e a [API de verificação](/rest/reference/checks), caso você ainda não esteja familiarizado. Você encontrará mais APIs na [documentação da API REST](/rest). A API de Verificações também está disponível para uso no [GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql), mas este início rápido foca no REST. Consulte o GraphQL [Conjunto de verificações]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#checksuite) e os objetos de [execução de verificação]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#checkrun) objetos para obter mais informações.
+Antes de começar, é possível que você deseje familiarizar-se com os [aplicativos GitHub](/apps/), [Webhooks](/webhooks) e a [API de verificação](/rest/reference/checks), caso você ainda não esteja familiarizado. Você encontrará mais APIs na [documentação da API REST](/rest). A API de Verificações também está disponível para uso no [GraphQL](/graphql), mas este início rápido foca no REST. Consulte o GraphQL [Conjunto de verificações](/graphql/reference/objects#checksuite) e os objetos de [execução de verificação](/graphql/reference/objects#checkrun) objetos para obter mais informações.
Você usará a [linguagem de programação Ruby](https://www.ruby-lang.org/en/), o serviço de entrega de da carga do webhook [Smee](https://smee.io/), a [biblioteca do Ruby Octokit.rb](http://octokit.github.io/octokit.rb/) para a API REST do GitHub e a [estrutura web Sinatra](http://sinatrarb.com/) para criar seu aplicativo do servidor de verificações de CI da API.
diff --git a/translations/pt-BR/content/developers/apps/guides/using-content-attachments.md b/translations/pt-BR/content/developers/apps/guides/using-content-attachments.md
index 54969b4637..b2b21def5a 100644
--- a/translations/pt-BR/content/developers/apps/guides/using-content-attachments.md
+++ b/translations/pt-BR/content/developers/apps/guides/using-content-attachments.md
@@ -119,7 +119,7 @@ curl -X "POST" "{% data variables.product.api_url_code %}/graphql" \
}'
```
-Para obter mais informações sobre `node_id`, consulte "[Usando IDs de nós globais]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids)".
+Para obter mais informações sobre `node_id`, consulte "[Usando IDs de nós globais](/graphql/guides/using-global-node-ids)".
## Exemplo de uso de manifestos do Probot e do aplicativo GitHub
diff --git a/translations/pt-BR/content/developers/apps/managing-github-apps/making-a-github-app-public-or-private.md b/translations/pt-BR/content/developers/apps/managing-github-apps/making-a-github-app-public-or-private.md
index 79c98a555e..3fb26f614e 100644
--- a/translations/pt-BR/content/developers/apps/managing-github-apps/making-a-github-app-public-or-private.md
+++ b/translations/pt-BR/content/developers/apps/managing-github-apps/making-a-github-app-public-or-private.md
@@ -26,7 +26,7 @@ Os fluxos de instalação pública têm uma página inicial para permitir que ou
## Fluxo privado de instalação
-Os fluxos privados de instalação permitem que somente o proprietário de um aplicativo GitHub a instale. Informações limitadas sobre o GitHub App continuarão a existir em uma página pública, mas o botão **Instalar** só estará disponível para administradores da organização ou para a conta pessoal se o aplicativo GitHub for propriedade de uma conta individual. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}Privado {% else %}Privado (também conhecido como interno){% endif %} Os aplicativos GitHub só podem ser instalados na conta de usuário ou de organização do proprietário.
+Os fluxos privados de instalação permitem que somente o proprietário de um aplicativo GitHub a instale. Informações limitadas sobre o GitHub App continuarão a existir em uma página pública, mas o botão **Instalar** só estará disponível para administradores da organização ou para a conta pessoal se o aplicativo GitHub for propriedade de uma conta individual. Private GitHub Apps can only be installed on the user or organization account of the owner.
## Alterar quem pode instalar seu aplicativo GitHub
@@ -37,5 +37,5 @@ Para alterar quem pode instalar o aplicativo GitHub:
{% data reusables.user-settings.github_apps %}
3. Selecione o aplicativo GitHub cuja opção de instalação você deseja alterar. 
{% data reusables.user-settings.github_apps_advanced %}
-5. Dependendo da opção de instalação do seu aplicativo GitHub, clique em **Tornar público** ou **Tornar {% ifversion fpt or ghes > 3.1 or ghae or ghec %}privado{% else %}interno{% endif %}**. 
-6. Dependendo da opção de instalação do seu aplicativo GitHub, clique **Sim, torne público este aplicativo GitHub** ou **Sim, torne este aplicativo GitHub {% ifversion fpt or ghes < 3.2 or ghec %}interno{% else %}interno{% endif %}**. 
+5. Depending on the installation option of your GitHub App, click either **Make public** or **Make private**. 
+6. Dependendo da opção de instalação do seu aplicativo GitHub, clique **Sim, torne público este aplicativo GitHub** ou **Sim, torne este aplicativo GitHub {% ifversion fpt or ghec %}interno{% else %}interno{% endif %}**. 
diff --git a/translations/pt-BR/content/developers/overview/about-githubs-apis.md b/translations/pt-BR/content/developers/overview/about-githubs-apis.md
index d28e5c0ccb..afce6dd9a4 100644
--- a/translations/pt-BR/content/developers/overview/about-githubs-apis.md
+++ b/translations/pt-BR/content/developers/overview/about-githubs-apis.md
@@ -14,7 +14,7 @@ topics:
- API
---
-Existem duas versões estáveis da API do GitHub: a [API REST](/rest) e a [API do GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql).
+Existem duas versões estáveis da API do GitHub: a [API REST](/rest) e a [API do GraphQL](/graphql).
## Versões obsoletas
diff --git a/translations/pt-BR/content/developers/webhooks-and-events/events/issue-event-types.md b/translations/pt-BR/content/developers/webhooks-and-events/events/issue-event-types.md
index 71a0935ea4..7de8ec996b 100644
--- a/translations/pt-BR/content/developers/webhooks-and-events/events/issue-event-types.md
+++ b/translations/pt-BR/content/developers/webhooks-and-events/events/issue-event-types.md
@@ -132,7 +132,7 @@ Um comentário foi adicionado ao problema ou pull request.
| `html_url` | `string` | A URL de HTML do comentário do problema. |
| `issue_url` | `string` | A URL de HTML do problema. |
| `id` | `inteiro` | O identificador exclusivo do evento. |
-| `node_id` | `string` | O [ID de nó global]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids) do evento. |
+| `node_id` | `string` | O [ID de nó global](/graphql/guides/using-global-node-ids) do evento. |
| `usuário` | `objeto` | A pessoa que comentou sobre o problema. |
| `created_at` | `string` | A marca de tempo que indica quando o comentário foi adicionado. |
| `updated_at` | `string` | A marca de tempo que indica quando o comentário foi atualizado ou criado, se o comentário nunca for atualizado. |
@@ -158,7 +158,7 @@ Um commit foi adicionado ao branch `HEAD` do pull request.
| Nome | Tipo | Descrição |
| ------------- | ------------------ | ----------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| `sha` | `string` | O SHA do commit no pull request. |
-| `node_id` | `string` | O [ID de nó global]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids) do evento. |
+| `node_id` | `string` | O [ID de nó global](/graphql/guides/using-global-node-ids) do evento. |
| `url` | `string` | A URL da API REST para recuperar o commit. |
| `html_url` | `string` | A URL de HTML do commit. |
| `autor` | `objeto` | A pessoa que autorizou o commit. |
@@ -640,7 +640,7 @@ O pull request foi revisado.
| Nome | Tipo | Descrição |
| -------------------- | --------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| `id` | `inteiro` | O identificador exclusivo do evento. |
-| `node_id` | `string` | O [ID de nó global]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids) do evento. |
+| `node_id` | `string` | O [ID de nó global](/graphql/guides/using-global-node-ids) do evento. |
| `usuário` | `objeto` | A pessoa que comentou sobre o problema. |
| `texto` | `string` | O texto do resumo da revisão. |
| `commit_id` | `string` | O SHA do último commit no pull request no momento da revisão. |
diff --git a/translations/pt-BR/content/developers/webhooks-and-events/webhooks/webhook-events-and-payloads.md b/translations/pt-BR/content/developers/webhooks-and-events/webhooks/webhook-events-and-payloads.md
index c60704778b..0d95600f8f 100644
--- a/translations/pt-BR/content/developers/webhooks-and-events/webhooks/webhook-events-and-payloads.md
+++ b/translations/pt-BR/content/developers/webhooks-and-events/webhooks/webhook-events-and-payloads.md
@@ -400,7 +400,7 @@ Os eventos de webhook são acionados com base na especificidade do domínio que
{% data reusables.webhooks.discussions-webhooks-beta %}
-Atividade relacionada a uma discussão. Para obter mais informações, consulte "[Usar a API do GraphQL para discussões]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-the-graphql-api-for-discussions)".
+Atividade relacionada a uma discussão. Para obter mais informações, consulte "[Usar a API do GraphQL para discussões](/graphql/guides/using-the-graphql-api-for-discussions)".
### Disponibilidade
- Webhooks do repositório
@@ -425,7 +425,7 @@ Atividade relacionada a uma discussão. Para obter mais informações, consulte
{% data reusables.webhooks.discussions-webhooks-beta %}
-Atividade relacionada a um comentário em uma discussão. Para obter mais informações, consulte "[Usar a API do GraphQL para discussões]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-the-graphql-api-for-discussions)".
+Atividade relacionada a um comentário em uma discussão. Para obter mais informações, consulte "[Usar a API do GraphQL para discussões](/graphql/guides/using-the-graphql-api-for-discussions)".
### Disponibilidade
@@ -435,10 +435,10 @@ Atividade relacionada a um comentário em uma discussão. Para obter mais inform
### Objeto da carga do webhook
-| Tecla | Tipo | Descrição |
-| ------------ | -------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| `Ação` | `string` | A ação realizada. Pode ser `criado`, `editado` ou `excluído`. |
-| `comentário` | `objeto` | O recurso [`comentário de discussão`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-the-graphql-api-for-discussions#discussioncomment). |
+| Tecla | Tipo | Descrição |
+| ------------ | -------- | --------------------------------------------------------------------------------------------------------------- |
+| `Ação` | `string` | A ação realizada. Pode ser `criado`, `editado` ou `excluído`. |
+| `comentário` | `objeto` | O recurso [`comentário de discussão`](/graphql/guides/using-the-graphql-api-for-discussions#discussioncomment). |
{% data reusables.webhooks.discussion_desc %}
{% data reusables.webhooks.repo_desc_graphql %}
{% data reusables.webhooks.org_desc_graphql %}
diff --git a/translations/pt-BR/content/get-started/learning-about-github/about-github-advanced-security.md b/translations/pt-BR/content/get-started/learning-about-github/about-github-advanced-security.md
index b34a48fe1e..e092785c86 100644
--- a/translations/pt-BR/content/get-started/learning-about-github/about-github-advanced-security.md
+++ b/translations/pt-BR/content/get-started/learning-about-github/about-github-advanced-security.md
@@ -31,11 +31,9 @@ Uma licença de {% data variables.product.prodname_GH_advanced_security %} forne
- **{% data variables.product.prodname_secret_scanning_caps %}** - Detectar segredos, por exemplo, chaves e tokens, que foram verificados no repositório.{% ifversion secret-scanning-push-protection %} Se a proteção de push estiver habilitada, também irá detectar segredos quando eles são enviados por push para o seu repositório. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_secret_scanning %}](/code-security/secret-scanning/about-secret-scanning)" e "[Protegendo pushes com {% data variables.product.prodname_secret_scanning %}](/code-security/secret-scanning/protecting-pushes-with-secret-scanning).{% else %} Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_secret_scanning %}](/code-security/secret-scanning/about-secret-scanning)."{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghec or ghae %}
- **Revisão de dependências** - Mostra o impacto total das alterações nas dependências e vê detalhes de qualquer versão vulnerável antes de realizar o merge de um pull request. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/about-dependency-review)".
-{% endif %}
-{% ifversion ghec or ghes > 3.1 %}
+{% ifversion ghec or ghes %}
- **Visão geral de segurança** - Revise a configuração de segurança e os alertas para uma organização e identifique os repositórios com maior risco. Para obter mais informações, consulte "[Sobre a visão geral de segurança](/code-security/security-overview/about-the-security-overview)".
{% endif %}
diff --git a/translations/pt-BR/content/get-started/using-github/keyboard-shortcuts.md b/translations/pt-BR/content/get-started/using-github/keyboard-shortcuts.md
index f1ecd2ab18..7193674fef 100644
--- a/translations/pt-BR/content/get-started/using-github/keyboard-shortcuts.md
+++ b/translations/pt-BR/content/get-started/using-github/keyboard-shortcuts.md
@@ -92,8 +92,8 @@ Para mais atalhos de teclado, consulte a [Documentação CodeMirror](https://cod
| Atalho | Descrição |
| ----------------------------------------------------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| Command+B (Mac) ou Ctrl+B (Windows/Linux) | Insere formatação Markdown para texto em negrito |
-| Command+I (Mac) ou Ctrl+I (Windows/Linux) | Insere a formatação Markdown para texto em itálico{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
-| Command+E (Mac) ou Ctrl+E (Windows/Linux) | Insere a formatação de Markdown para o código ou um comando dentro da linha{% endif %}{% ifversion fpt or ghae-issue-5434 or ghes > 3.1 or ghec %}
+| Command+I (Mac) ou Ctrl+I (Windows/Linux) | Insere formatação Markdown para texto em itálico |
+| Command+E (Mac) ou Ctrl+E (Windows/Linux) | Insere a formatação de Markdown para o código ou um comando dentro da linha{% ifversion fpt or ghae-issue-5434 or ghes or ghec %}
| Command+K (Mac) ou Ctrl+K (Windows/Linux) | Insere a formatação de Markdown para criar um link{% endif %}{% ifversion fpt or ghae-issue-7103 or ghes > 3.5 or ghec %}
| Command+V (Mac) ou Ctrl+V (Windows/Linux) | Cria um link de Markdown quando aplicado sobre o texto destacado{% endif %}
| Command+Shift+P (Mac) ou Ctrl+Shift+P (Windows/Linux) | Alterna entre as abas de comentários **Escrever** e **Visualizar**{% ifversion fpt or ghae or ghes > 3.4 or ghec %}
@@ -208,7 +208,6 @@ Para mais atalhos de teclado, consulte a [Documentação CodeMirror](https://cod
| Shift+I | Marca como lido |
| Shift+M | Cancelar assinatura |
-
## gráfico de rede
| Atalho | Descrição |
diff --git a/translations/pt-BR/content/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax.md b/translations/pt-BR/content/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax.md
index c860c72c27..7bb7242748 100644
--- a/translations/pt-BR/content/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax.md
+++ b/translations/pt-BR/content/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax.md
@@ -63,7 +63,7 @@ Texto que não é uma citação
## Citar código
-Você pode chamar código ou um comando em uma frase com aspas simples. O texto entre aspas simples não será formatado.{% ifversion fpt or ghae or ghes > 3.1 or ghec %} Além disso, você pode pressionar o atalho no teclado Command+E (Mac) ou Ctrl+E (Windows/Linux) para inserir as aspas simples para bloqueio de código dentro de uma linha do markdown.{% endif %}
+Você pode chamar código ou um comando em uma frase com aspas simples. O texto entre as aspas não será formatado. You can also press the Command+E (Mac) or Ctrl+E (Windows/Linux) keyboard shortcut to insert the backticks for a code block within a line of Markdown.
```markdown
Use 'git status' para listar todos os arquivos novos ou modificados que ainda não receberam commit.
@@ -88,9 +88,36 @@ Para obter mais informações, consulte "[Criar e destacar blocos de código](/a
{% data reusables.user-settings.enabling-fixed-width-fonts %}
+## Supported color models
+
+In issues, pull requests, and discussions, you can call out colors within a sentence by using backticks. A supported color model within backticks will display a visualization of the color.
+
+```markdown
+The background color should be `#ffffff` for light mode and `#0d1117` for dark mode.
+```
+
+
+
+Here are the currently supported color models.
+
+| Color | Sintaxe | Exemplo | Resultado |
+| ----- | ------------------------- | ------------------------- | --------------------------------------------------------------------------------------------------------------------- |
+| HEX | \`#RRGGBB\` | \`#0969DA\` |  |
+| RGB | \`rgb(R,G,B)\` | \`rgb(9, 105, 218)\` |  |
+| HSL | \`hsl(H,S,L)\` | \`hsl(212, 92%, 45%)\` |  |
+
+{% note %}
+
+**Notas:**
+
+- A supported color model cannot have any leading or trailing spaces within the backticks.
+- The visualization of the color is only supported in issues, pull requests, and discussions.
+
+{% endnote %}
+
## Links
-Você pode criar um link inline colocando o texto do link entre colchetes `[ ]` e, em seguida, o URL entre parênteses `( )`. {% ifversion fpt or ghae or ghes > 3.1 or ghec %}Você também pode usar o atalho de teclado Command+K para criar um link.{% endif %}{% ifversion fpt or ghae-issue-5434 or ghes > 3.3 or ghec %} Quando você tiver selecionado texto, você poderá colar um URL da sua área de transferência para criar automaticamente um link a partir da seleção.{% endif %}
+Você pode criar um link inline colocando o texto do link entre colchetes `[ ]` e, em seguida, o URL entre parênteses `( )`. You can also use the keyboard shortcut Command+K to create a link.{% ifversion fpt or ghae-issue-5434 or ghes > 3.3 or ghec %} When you have text selected, you can paste a URL from your clipboard to automatically create a link from the selection.{% endif %}
{% ifversion fpt or ghae-issue-7103 or ghes > 3.5 or ghec %} Você também pode criar um hiperlink de Markdown destacando o texto e usando o atalho de teclado Command+V. Se você deseja substituir o texto pelo link, use o atalho de teclado Command+Shift+V.{% endif %}
@@ -166,7 +193,7 @@ O método antigo de especificar as imagens baseado no tema, ao usar um fragmento
## Listas
-Você pode criar uma lista não ordenada precedendo uma ou mais linhas de texto com - ou *.
+You can make an unordered list by preceding one or more lines of text with - or *.
```markdown
- George Washington
@@ -190,7 +217,7 @@ Para ordenar a lista, coloque um número na frente de cada linha.
Você pode criar uma lista aninhada recuando um ou mais itens da lista abaixo de outro item.
-Para criar uma lista aninhada usando o editor web do {% data variables.product.product_name %} ou um editor de texto que usa uma fonte monoespaçada, como o [Atom](https://atom.io/), você pode alinhar sua lista visualmente. Digite caracteres de espaço na fonte do item da lista aninhada, até que o caractere de marcador da lista (- ou *) fique diretamente abaixo do primeiro caractere do texto no item acima dele.
+Para criar uma lista aninhada usando o editor web do {% data variables.product.product_name %} ou um editor de texto que usa uma fonte monoespaçada, como o [Atom](https://atom.io/), você pode alinhar sua lista visualmente. Type space characters in front of your nested list item, until the list marker character (- or *) lies directly below the first character of the text in the item above it.
```markdown
1. Primeiro item da lista
@@ -243,7 +270,7 @@ Para obter mais informações, consulte "[Sobre listas de tarefas](/articles/abo
## Mencionar pessoas e equipes
-Você pode mencionar uma pessoa ou [equipe](/articles/setting-up-teams/) no {% data variables.product.product_name %} digitando @ mais o nome de usuário ou nome da equipe. Isto desencadeará uma notificação e chamará a sua atenção para a conversa. As pessoas também receberão uma notificação se você editar um comentário para mencionar o respectivo nome de usuário ou da equipe. Para obter mais informações sobre as notificações, consulte "[Sobre as notificações](/github/managing-subscriptions-and-notifications-on-github/about-notifications)".
+You can mention a person or [team](/articles/setting-up-teams/) on {% data variables.product.product_name %} by typing @ plus their username or team name. Isto desencadeará uma notificação e chamará a sua atenção para a conversa. As pessoas também receberão uma notificação se você editar um comentário para mencionar o respectivo nome de usuário ou da equipe. Para obter mais informações sobre as notificações, consulte "[Sobre as notificações](/github/managing-subscriptions-and-notifications-on-github/about-notifications)".
{% note %}
@@ -257,13 +284,13 @@ Você pode mencionar uma pessoa ou [equipe](/articles/setting-up-teams/) no {% d
Quando você menciona uma equipe principal, os integrantes de suas equipes secundárias também recebem notificações, simplificando a comunicação com vários grupos de pessoas. Para obter mais informações, consulte "[Sobre equipes](/articles/about-teams)".
-Digitar um símbolo @ chamará uma lista de pessoas ou equipes em um projeto. A lista é filtrada à medida que você digita. Portanto, assim que você achar o nome da pessoa ou da equipe que está procurando, use as teclas de seta para selecioná-lo e pressione tab ou enter para completar o nome. Para equipes, digite nome da @organização/equipe e todos os integrantes dessa equipe serão inscritos na conversa.
+Typing an @ symbol will bring up a list of people or teams on a project. A lista é filtrada à medida que você digita. Portanto, assim que você achar o nome da pessoa ou da equipe que está procurando, use as teclas de seta para selecioná-lo e pressione tab ou enter para completar o nome. Para equipes, digite nome da @organização/equipe e todos os integrantes dessa equipe serão inscritos na conversa.
Os resultados do preenchimento automático são restritos aos colaboradores do repositório e qualquer outro participante no thread.
## Fazer referências a problemas e pull requests
-Você pode trazer à tona uma lista de problemas e pull requests sugeridos no repositório digitando #. Digite o número ou o título do problema ou da pull request para filtrar a lista e, em seguida, pressione tab ou enter para completar o resultado destacado.
+You can bring up a list of suggested issues and pull requests within the repository by typing #. Digite o número ou o título do problema ou da pull request para filtrar a lista e, em seguida, pressione tab ou enter para completar o resultado destacado.
Para obter mais informações, consulte "[Referências e URLs vinculados automaticamente](/articles/autolinked-references-and-urls)".
@@ -278,7 +305,7 @@ Alguns {% data variables.product.prodname_github_apps %} fornecem informações

-Para visualizar anexos de conteúdo, você deverá ter um {% data variables.product.prodname_github_app %} que use a API de Anexos de Conteúdo instalada no repositório.{% ifversion fpt or ghec %} Para obter mais informações, consulte "[Instalar um aplicativo na sua conta pessoal](/articles/installing-an-app-in-your-personal-account)" e "[Instalar um aplicativo na sua organização](/articles/installing-an-app-in-your-organization)".{% endif %}
+To see content attachments, you must have a {% data variables.product.prodname_github_app %} that uses the Content Attachments API installed on the repository.{% ifversion fpt or ghec %} For more information, see "[Installing an app in your personal account](/articles/installing-an-app-in-your-personal-account)" and "[Installing an app in your organization](/articles/installing-an-app-in-your-organization)."{% endif %}
Os anexos de conteúdo não serão exibidos para URLs que fazem parte de um link markdown.
@@ -296,7 +323,7 @@ Você pode adicionar emoji à sua escrita digitando `:EMOJICODE:`.

-Digitar : trará à tona uma lista de emojis sugeridos. A lista será filtrada à medida que você digita. Portanto, assim que encontrar o emoji que estava procurando, pressione **Tab** ou **Enter** para completar o resultado destacado.
+Typing : will bring up a list of suggested emoji. A lista será filtrada à medida que você digita. Portanto, assim que encontrar o emoji que estava procurando, pressione **Tab** ou **Enter** para completar o resultado destacado.
Para obter uma lista completa dos emojis e códigos disponíveis, confira [a lista de emojis](https://github.com/ikatyang/emoji-cheat-sheet/blob/master/README.md).
diff --git a/translations/pt-BR/content/get-started/writing-on-github/working-with-advanced-formatting/attaching-files.md b/translations/pt-BR/content/get-started/writing-on-github/working-with-advanced-formatting/attaching-files.md
index e2bedab18e..81e3176a83 100644
--- a/translations/pt-BR/content/get-started/writing-on-github/working-with-advanced-formatting/attaching-files.md
+++ b/translations/pt-BR/content/get-started/writing-on-github/working-with-advanced-formatting/attaching-files.md
@@ -18,7 +18,7 @@ topics:
{% warning %}
-**Aviso:** Se você adicionar uma imagem{% ifversion fpt or ghes > 3.1 or ghae or ghec %} ou vídeo{% endif %} a um comentário de pull request ou problema, qualquer um poderá ver a URL anônima sem autenticação, mesmo se o pull request estiver em um repositório privado{% ifversion ghes %} ou se o modo privado estiver habilitado{% endif %}. Para manter arquivos de mídia confidenciais privados, forneça-os a partir de uma rede privada ou servidor que exige autenticação. {% ifversion fpt or ghec %}Para mais informações sobre URLs anônimas, consulte "[Sobre URLs anônimas](/github/authenticating-to-github/about-anonymized-urls)".{% endif %}
+**Warning:** If you add an image or video to a pull request or issue comment, anyone can view the anonymized URL without authentication, even if the pull request is in a private repository{% ifversion ghes %}, or if private mode is enabled{% endif %}. Para manter arquivos de mídia confidenciais privados, forneça-os a partir de uma rede privada ou servidor que exige autenticação. {% ifversion fpt or ghec %}Para mais informações sobre URLs anônimas, consulte "[Sobre URLs anônimas](/github/authenticating-to-github/about-anonymized-urls)".{% endif %}
{% endwarning %}
@@ -35,7 +35,7 @@ Para anexar um arquivo a uma conversa sobre um problema ou pull request, arraste
O tamanho máximo do arquivo é:
- 10MB para imagens e gifs{% ifversion fpt or ghec %}
- 10MB para vídeos enviados para um repositório pertencentes a um usuário ou organização em um plano grátis do GitHub
-- 100MB para vídeos enviados para um repositório pertencente a um usuário ou organização em um plano pago do GitHub{% elsif fpt or ghes > 3.1 or ghae %}
+- 100MB para vídeos enviados para um repositório pertencente a um usuário ou organização em um plano pago do GitHub{% elsif ghes or ghae %}
- 100MB para vídeos{% endif %}
- 25MB para todos os outros arquivos
@@ -51,7 +51,7 @@ Arquivos compatíveis:
* Documentos do Microsoft Word (*.docx*), Powerpoint (*.pptx*), e Excel (*.xlsx*)
* Arquivos de texto (*.txt*)
* PDFs (*.pdf*)
-* ZIP (*.zip*, *.gz*){% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+* ZIP (*.zip*, *.gz*)
* Vídeo (*.mp4*, *.mov*)
{% note %}
@@ -59,6 +59,5 @@ Arquivos compatíveis:
**Observação:** A compatibilidade do codec de vídeo é específica do navegador, e é possível que um vídeo que você suba para um navegador não possa ser visualizado em outro navegador. No momento, recomendamos o uso do h.264 para maior compatibilidade.
{% endnote %}
-{% endif %}

diff --git a/translations/pt-BR/content/graphql/guides/using-the-graphql-api-for-discussions.md b/translations/pt-BR/content/graphql/guides/using-the-graphql-api-for-discussions.md
index 88ca0ffc07..028e0ac8c6 100644
--- a/translations/pt-BR/content/graphql/guides/using-the-graphql-api-for-discussions.md
+++ b/translations/pt-BR/content/graphql/guides/using-the-graphql-api-for-discussions.md
@@ -3,6 +3,7 @@ title: Usar a API do GraphQL para discussões
intro: 'Aprenda a usar a API do GraphQL de {% data variables.product.prodname_discussions %}.'
versions:
fpt: '*'
+ ghec: '*'
shortTitle: Usar o gráfico para Discussões
---
diff --git a/translations/pt-BR/content/issues/trying-out-the-new-projects-experience/using-the-api-to-manage-projects.md b/translations/pt-BR/content/issues/trying-out-the-new-projects-experience/using-the-api-to-manage-projects.md
index ce40922bf4..e15fa8fe85 100644
--- a/translations/pt-BR/content/issues/trying-out-the-new-projects-experience/using-the-api-to-manage-projects.md
+++ b/translations/pt-BR/content/issues/trying-out-the-new-projects-experience/using-the-api-to-manage-projects.md
@@ -52,13 +52,13 @@ gh api graphql -f query='
}' -f organization=$my_org -F number=$my_num
```
-Para obter mais informações, consulte "[Formando chamadas com o GraphQL]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/guides/forming-calls-with-graphql#working-with-variables)".
+Para obter mais informações, consulte "[Formando chamadas com o GraphQL](/graphql/guides/forming-calls-with-graphql#working-with-variables)".
{% endcli %}
## Encontrando informações sobre os projetos
-Use consultas para obter dados sobre projetos. Para obter mais informações, consulte "[Sobre consultas]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/guides/forming-calls-with-graphql#about-queries)".
+Use consultas para obter dados sobre projetos. Para obter mais informações, consulte "[Sobre consultas](/graphql/guides/forming-calls-with-graphql#about-queries)".
### Encontrando o ID do nó de um projeto da organização
@@ -430,7 +430,7 @@ Um projeto pode conter itens que um usuário não tem permissão para visualizar
## Atualizando projetos
-Use mutações para atualizar projetos. Para obter mais informações, consulte "[Sobre mutações]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/forming-calls-with-graphql#about-mutations)".
+Use mutações para atualizar projetos. Para obter mais informações, consulte "[Sobre mutações](/graphql/guides/forming-calls-with-graphql#about-mutations)".
{% note %}
@@ -594,7 +594,15 @@ gh api graphql -f query='
{% note %}
-**Observação:** Você não pode usar `updateProjectV2ItemFieldValue` para alterar os `Responsáveis`, `Etiquetas`, `Marcos` ou `Repositório`, pois esses campos são propriedades de pull requests e problemas, não itens de projeto. Em vez disso, você deverá usar a mutação [addAssigneesToAssignable]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#addassigneestoassignable), [removeAssigneesFromAssignable]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#removeassigneesfromassignable), [addLabelsToLabelable]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#addlabelstolabelable), [removeLabelsFromLabelable]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#removelabelsfromlabelable), [updateIssue]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#updateissue), [updatePullRequest]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#updatepullrequest) ou [transferIssue]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#transferissue).
+**Observação:** Você não pode usar `updateProjectV2ItemFieldValue` para alterar os `Responsáveis`, `Etiquetas`, `Marcos` ou `Repositório`, pois esses campos são propriedades de pull requests e problemas, não itens de projeto. Instead, you may use the following mutations:
+
+- [addAssigneesToAssignable](/graphql/reference/mutations#addassigneestoassignable)
+- [removeAssigneesFromAssignable](/graphql/reference/mutations#removeassigneesfromassignable)
+- [addLabelsToLabelable](/graphql/reference/mutations#addlabelstolabelable)
+- [removeLabelsFromLabelable](/graphql/reference/mutations#removelabelsfromlabelable)
+- [updateIssue](/graphql/reference/mutations#updateissue)
+- [updatePullRequest](/graphql/reference/mutations#updatepullrequest)
+- [transferIssue](/graphql/reference/mutations#transferissue)
{% endnote %}
diff --git a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/managing-security-and-analysis-settings-for-your-organization.md b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/managing-security-and-analysis-settings-for-your-organization.md
index 9550966a6d..18e4918c0b 100644
--- a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/managing-security-and-analysis-settings-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/managing-security-and-analysis-settings-for-your-organization.md
@@ -56,7 +56,7 @@ Você pode habilitar ou desabilitar funcionalidades para todos os repositórios.
{% data reusables.advanced-security.note-org-enable-uses-seats %}
1. Acesse as configurações de segurança e análise da sua organização. Para obter mais informações, consulte "[Exibir as configurações de segurança e análise](#displaying-the-security-and-analysis-settings)".
-2. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar tudo** ou **Habilitar tudo**. {% ifversion ghes > 3.0 or ghec %}O controle para "{% data variables.product.prodname_GH_advanced_security %}" fica desabilitado se você não tiver estações disponíveis na sua licença de {% data variables.product.prodname_GH_advanced_security %}.{% endif %}
+2. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar tudo** ou **Habilitar tudo**. {% ifversion ghes or ghec %}O controle para "{% data variables.product.prodname_GH_advanced_security %}" fica desabilitado se você não tiver estações disponíveis na sua licença de {% data variables.product.prodname_GH_advanced_security %}.{% endif %}
{% ifversion fpt %}

{% endif %}
@@ -66,7 +66,7 @@ Você pode habilitar ou desabilitar funcionalidades para todos os repositórios.
{% ifversion ghes > 3.2 %}

{% endif %}
- {% ifversion ghes = 3.1 or ghes = 3.2 %}
+ {% ifversion ghes = 3.2 %}

{% endif %}
@@ -103,12 +103,9 @@ Você pode habilitar ou desabilitar funcionalidades para todos os repositórios.
{% ifversion ghes > 3.2 %}

{% endif %}
- {% ifversion ghes = 3.1 or ghes = 3.2 %}
+ {% ifversion ghes = 3.2 %}

{% endif %}
- {% ifversion ghes = 3.0 %}
- 
- {% endif %}
{% ifversion ghae %}

{% endif %}
@@ -156,5 +153,5 @@ Você pode gerenciar o acesso a funcionalidades de {% data variables.product.pro
- "[Protegendo o seu repositório](/code-security/getting-started/securing-your-repository)"{% ifversion not fpt %}
- "[Sobre a verificação de segredo](/github/administering-a-repository/about-secret-scanning)"{% endif %}{% ifversion not ghae %}
-- "[Sobre o gráfico de dependências](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)"{% endif %}{% ifversion fpt or ghec or ghes or ghae %}
-- "[Sobre a segurança da cadeia de suprimentos](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security)"{% endif %}
+- "[Sobre o gráfico de dependências](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)"{% endif %}
+- "[Sobre a segurança da cadeia de suprimentos](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-supply-chain-security)"
diff --git a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/restricting-email-notifications-for-your-organization.md b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/restricting-email-notifications-for-your-organization.md
index fbe05d7dd3..875181e223 100644
--- a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/restricting-email-notifications-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/restricting-email-notifications-for-your-organization.md
@@ -9,7 +9,7 @@ redirect_from:
- /organizations/keeping-your-organization-secure/restricting-email-notifications-to-an-approved-domain
- /organizations/keeping-your-organization-secure/restricting-email-notifications-for-your-organization
versions:
- ghes: '>=3.2'
+ ghes: '*'
ghec: '*'
type: how_to
topics:
diff --git a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/reviewing-the-audit-log-for-your-organization.md b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/reviewing-the-audit-log-for-your-organization.md
index 13edec9df7..4aa44e907a 100644
--- a/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/reviewing-the-audit-log-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/keeping-your-organization-secure/managing-security-settings-for-your-organization/reviewing-the-audit-log-for-your-organization.md
@@ -75,16 +75,16 @@ To search for specific events, use the `action` qualifier in your query. Actions
| [`repository_dependency_graph`](#repository_dependency_graph-category-actions) | Contains repository-level activities related to enabling or disabling the dependency graph for a {% ifversion fpt or ghec %}private {% endif %}repository. For more information, see "[About the dependency graph](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)."{% endif %}{% ifversion ghes or ghae or ghec %}
| [`repository_secret_scanning`](#repository_secret_scanning-category-actions) | Contains repository-level activities related to secret scanning. For more information, see "[About secret scanning](/github/administering-a-repository/about-secret-scanning)." {% endif %}{% ifversion secret-scanning-audit-log-custom-patterns %}
| [`repository_secret_scanning_custom_pattern`](#respository_secret_scanning_custom_pattern-category-actions) | Contains repository-level activities related to secret scanning custom patterns. For more information, see "[Defining custom patterns for secret scanning](/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning)." {% endif %}{% ifversion secret-scanning-audit-log-custom-patterns %}
-| [`repository_secret_scanning_push_protection`](#respository_secret_scanning_push_protection) | Contains repository-level activities related to secret scanning custom patterns. For more information, see "[Protecting pushes with secert scanning](/code-security/secret-scanning/protecting-pushes-with-secret-scanning)." {% endif %}{% ifversion fpt or ghes or ghae or ghec %}
-| [`repository_vulnerability_alert`](#repository_vulnerability_alert-category-actions) | Contains all activities related to [{% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts).{% endif %}{% ifversion fpt or ghec %}
+| [`repository_secret_scanning_push_protection`](#respository_secret_scanning_push_protection) | Contains repository-level activities related to secret scanning custom patterns. For more information, see "[Protecting pushes with secert scanning](/code-security/secret-scanning/protecting-pushes-with-secret-scanning)." {% endif %}
+| [`repository_vulnerability_alert`](#repository_vulnerability_alert-category-actions) | Contains all activities related to [{% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts).{% ifversion fpt or ghec %}
| [`repository_vulnerability_alerts`](#repository_vulnerability_alerts-category-actions) | Contains repository-level configuration activities for {% data variables.product.prodname_dependabot_alerts %}.{% endif %}{% ifversion custom-repository-roles %}
| [`role`](#role-category-actions) | Contains all activities related to [custom repository roles](/organizations/managing-peoples-access-to-your-organization-with-roles/managing-custom-repository-roles-for-an-organization).{% endif %}{% ifversion ghes or ghae or ghec %}
| [`secret_scanning`](#secret_scanning-category-actions) | Contains organization-level configuration activities for secret scanning in existing repositories. For more information, see "[About secret scanning](/github/administering-a-repository/about-secret-scanning)."
| [`secret_scanning_new_repos`](#secret_scanning_new_repos-category-actions) | Contains organization-level configuration activities for secret scanning for new repositories created in the organization. {% endif %}{% ifversion fpt or ghec %}
| [`sponsors`](#sponsors-category-actions) | Contains all events related to sponsor buttons (see "[Displaying a sponsor button in your repository](/articles/displaying-a-sponsor-button-in-your-repository)"){% endif %}
| [`team`](#team-category-actions) | Contains all activities related to teams in your organization.
-| [`team_discussions`](#team_discussions-category-actions) | Contains activities related to managing team discussions for an organization.{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-| [`workflows`](#workflows-category-actions) | Contains activities related to {% data variables.product.prodname_actions %} workflows.{% endif %}
+| [`team_discussions`](#team_discussions-category-actions) | Contains activities related to managing team discussions for an organization.
+| [`workflows`](#workflows-category-actions) | Contains activities related to {% data variables.product.prodname_actions %} workflows.
You can search for specific sets of actions using these terms. For example:
@@ -164,7 +164,7 @@ Note that you can't retrieve Git events using the GraphQL API. To retrieve Git e
The GraphQL response can include data for up to 90 to 120 days.
-For example, you can make a GraphQL request to see all the new organization members added to your organization. For more information, see the "[GraphQL API Audit Log]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/interfaces#auditentry/)."
+For example, you can make a GraphQL request to see all the new organization members added to your organization. For more information, see the "[GraphQL API Audit Log](/graphql/reference/interfaces#auditentry/)."
{% ifversion ghec %}
@@ -464,9 +464,9 @@ For more information, see "[Managing the publication of {% data variables.produc
| `runner_group_runner_removed` | Triggered when the REST API is used to remove a self-hosted runner from a group. For more information, see "[Remove a self-hosted runner from a group for an organization](/rest/reference/actions#remove-a-self-hosted-runner-from-a-group-for-an-organization)."
| `runner_group_runners_updated`| Triggered when a runner group's list of members is updated. For more information, see "[Set self-hosted runners in a group for an organization](/rest/reference/actions#set-self-hosted-runners-in-a-group-for-an-organization)."{% ifversion secret-scanning-audit-log-custom-patterns %}
| `secret_scanning_push_protection_disable ` | Triggered when an organization owner or person with admin access to the organization disables push protection for secret scanning. For more information, see "[Protecting pushes with secret scanning](/enterprise-cloud@latest/code-security/secret-scanning/protecting-pushes-with-secret-scanning)."
-| `secret_scanning_push_protection_enable ` | Triggered when an organization owner or person with admin access to the organization enables push protection for secret scanning.{% endif %}{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `secret_scanning_push_protection_enable ` | Triggered when an organization owner or person with admin access to the organization enables push protection for secret scanning.{% endif %}
| `self_hosted_runner_online` | Triggered when the runner application is started. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."
-| `self_hosted_runner_offline` | Triggered when the runner application is stopped. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."{% endif %}{% ifversion fpt or ghes or ghec %}
+| `self_hosted_runner_offline` | Triggered when the runner application is stopped. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."{% ifversion fpt or ghes or ghec %}
| `self_hosted_runner_updated` | Triggered when the runner application is updated. Can be viewed using the REST API and the UI; not visible in the JSON/CSV export. For more information, see "[About self-hosted runners](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)."{% endif %}{% ifversion fpt or ghec %}
| `set_actions_fork_pr_approvals_policy` | Triggered when the setting for requiring approvals for workflows from public forks is changed for an organization. For more information, see "[Requiring approval for workflows from public forks](/organizations/managing-organization-settings/disabling-or-limiting-github-actions-for-your-organization#requiring-approval-for-workflows-from-public-forks)."{% endif %}
| `set_actions_retention_limit` | Triggered when the retention period for {% data variables.product.prodname_actions %} artifacts and logs is changed. For more information, see "[Enforcing policies for {% data variables.product.prodname_actions %} in your enterprise](/admin/policies/enforcing-policies-for-your-enterprise/enforcing-policies-for-github-actions-in-your-enterprise#enforcing-a-policy-for-artifact-and-log-retention-in-your-enterprise)."{% ifversion fpt or ghes or ghec %}
@@ -523,10 +523,10 @@ For more information, see "[Managing the publication of {% data variables.produc
| Action | Description |
|--------|-------------|
| `package_version_published` | Triggered when a package version is published. |
-| `package_version_deleted` | Triggered when a specific package version is deleted.{% ifversion fpt or ghec or ghes > 3.1 or ghae %} For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `package_deleted` | Triggered when an entire package is deleted.{% ifversion fpt or ghec or ghes > 3.1 or ghae %} For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `package_version_restored` | Triggered when a specific package version is deleted.{% ifversion fpt or ghec or ghes > 3.1 or ghae %} For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
-| `package_restored` | Triggered when an entire package is restored.{% ifversion fpt or ghec or ghes > 3.1 or ghae %} For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+| `package_version_deleted` | Triggered when a specific package version is deleted. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."
+| `package_deleted` | Triggered when an entire package is deleted. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."
+| `package_version_restored` | Triggered when a specific package version is deleted. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."
+| `package_restored` | Triggered when an entire package is restored. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)."
{% ifversion fpt or ghec %}
@@ -577,8 +577,6 @@ For more information, see "[Managing the publication of {% data variables.produc
| `update_allow_deletions_enforcement_level ` | Triggered when branch deletion is enabled or disabled for a protected branch.
| `update_linear_history_requirement_enforcement_level ` | Triggered when required linear commit history is enabled or disabled for a protected branch.
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
### `pull_request` category actions
| Action | Description
@@ -609,8 +607,6 @@ For more information, see "[Managing the publication of {% data variables.produc
| `update` | Triggered when a review comment is changed.
| `delete` | Triggered when a review comment is deleted.
-{% endif %}
-
### `repo` category actions
| Action | Description
@@ -636,9 +632,9 @@ For more information, see "[Managing the publication of {% data variables.produc
| `register_self_hosted_runner` | Triggered when a new self-hosted runner is registered. For more information, see "[Adding a self-hosted runner to a repository](/actions/hosting-your-own-runners/adding-self-hosted-runners#adding-a-self-hosted-runner-to-a-repository)."
| `remove_self_hosted_runner` | Triggered when a self-hosted runner is removed. For more information, see "[Removing a runner from a repository](/actions/hosting-your-own-runners/removing-self-hosted-runners#removing-a-runner-from-a-repository)."
| `remove_topic` | Triggered when a repository admin removes a topic from a repository.
-| `rename` | Triggered when [a repository is renamed](/articles/renaming-a-repository).{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+| `rename` | Triggered when [a repository is renamed](/articles/renaming-a-repository).
| `self_hosted_runner_online` | Triggered when the runner application is started. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."
-| `self_hosted_runner_offline` | Triggered when the runner application is stopped. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."{% endif %}{% ifversion fpt or ghes or ghec %}
+| `self_hosted_runner_offline` | Triggered when the runner application is stopped. Can only be viewed using the REST API; not visible in the UI or JSON/CSV export. For more information, see "[Checking the status of a self-hosted runner](/actions/hosting-your-own-runners/monitoring-and-troubleshooting-self-hosted-runners#checking-the-status-of-a-self-hosted-runner)."{% ifversion fpt or ghes or ghec %}
| `self_hosted_runner_updated` | Triggered when the runner application is updated. Can be viewed using the REST API and the UI; not visible in the JSON/CSV export. For more information, see "[About self-hosted runners](/actions/hosting-your-own-runners/about-self-hosted-runners#about-self-hosted-runners)."{% endif %}{% ifversion fpt or ghec %}
| `set_actions_fork_pr_approvals_policy` | Triggered when the setting for requiring approvals for workflows from public forks is changed. For more information, see "[Managing {% data variables.product.prodname_actions %} settings for a repository](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#configuring-required-approval-for-workflows-from-public-forks)."{% endif %}
| `set_actions_retention_limit` | Triggered when the retention period for {% data variables.product.prodname_actions %} artifacts and logs is changed. For more information, see "[Managing {% data variables.product.prodname_actions %} settings for a repository](/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository#configuring-the-retention-period-for-github-actions-artifacts-and-logs-in-your-repository)."{% ifversion fpt or ghes or ghec %}
@@ -706,7 +702,7 @@ For more information, see "[Managing the publication of {% data variables.produc
| `disable` | Triggered when a repository owner or person with admin access to the repository disables secret scanning for a repository. For more information, see "[Protecting pushes with secret scanning](/code-security/secret-scanning/protecting-pushes-with-secret-scanning)."
| `enable` | Triggered when a repository owner or person with admin access to the repository enables secret scanning for a repository.
-{% endif %}{% ifversion fpt or ghes or ghae or ghec %}
+{% endif %}
### `repository_vulnerability_alert` category actions
| Action | Description
@@ -714,8 +710,7 @@ For more information, see "[Managing the publication of {% data variables.produc
| `create` | Triggered when {% data variables.product.product_name %} creates a {% data variables.product.prodname_dependabot %} alert for a repository that uses a vulnerable dependency. For more information, see "[About {% data variables.product.prodname_dependabot_alerts %}](/github/managing-security-vulnerabilities/about-alerts-for-vulnerable-dependencies)."
| `dismiss` | Triggered when an organization owner or person with admin access to the repository dismisses a {% data variables.product.prodname_dependabot %} alert about a vulnerable dependency.
| `resolve` | Triggered when someone with write access to a repository pushes changes to update and resolve a vulnerability in a project dependency.
-
-{% endif %}{% ifversion fpt or ghec %}
+{% ifversion fpt or ghec %}
### `repository_vulnerability_alerts` category actions
| Action | Description
@@ -815,11 +810,9 @@ For more information, see "[Managing the publication of {% data variables.produc
| `disable` | Triggered when an organization owner disables team discussions for an organization. For more information, see "[Disabling team discussions for your organization](/articles/disabling-team-discussions-for-your-organization)."
| `enable` | Triggered when an organization owner enables team discussions for an organization.
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
### `workflows` category actions
{% data reusables.actions.actions-audit-events-workflow %}
-{% endif %}
## Further reading
- "[Keeping your organization secure](/articles/keeping-your-organization-secure)"{% ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5146 %}
diff --git a/translations/pt-BR/content/organizations/managing-access-to-your-organizations-repositories/repository-roles-for-an-organization.md b/translations/pt-BR/content/organizations/managing-access-to-your-organizations-repositories/repository-roles-for-an-organization.md
index f2b7d89723..4b069b50ac 100644
--- a/translations/pt-BR/content/organizations/managing-access-to-your-organizations-repositories/repository-roles-for-an-organization.md
+++ b/translations/pt-BR/content/organizations/managing-access-to-your-organizations-repositories/repository-roles-for-an-organization.md
@@ -159,16 +159,16 @@ Algumas das funcionalidades listadas abaixo estão limitadas a organizações qu
Nesta seção, você pode encontrar o acesso necessário para as funcionalidades de segurança, como as funcionalidades de {% data variables.product.prodname_advanced_security %}.
| Ação no repositório | Leitura | Triagem | Gravação | Manutenção | Administrador |
-|:---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |:-------:|:-------:|:------------------------------------------------------:|:------------------------------------------------------:|:-------------------------------------------------------------------------------------------------:|{% ifversion fpt or ghes or ghae or ghec %}
+|:---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |:-------:|:-------:|:------------------------------------------------------:|:------------------------------------------------------:|:-------------------------------------------------------------------------------------------------:|
| Receber [{% data variables.product.prodname_dependabot_alerts %} para dependências inseguras](/code-security/supply-chain-security/about-alerts-for-vulnerable-dependencies) em um repositório | | | | | **X** |
-| [Ignorar {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/viewing-and-updating-vulnerable-dependencies-in-your-repository) | | | | | **X** |{% endif %}{% ifversion ghes or ghae or ghec %}
+| [Ignorar {% data variables.product.prodname_dependabot_alerts %}](/code-security/supply-chain-security/viewing-and-updating-vulnerable-dependencies-in-your-repository) | | | | | **X** |{% ifversion ghes or ghae or ghec %}
|
| [Designe outras pessoas ou equipes para receber alertas de segurança](/github/administering-a-repository/managing-security-and-analysis-settings-for-your-repository#granting-access-to-security-alerts) | | | | | **X** |{% endif %}{% ifversion fpt or ghec %}
| Criar [consultorias de segurança](/code-security/security-advisories/about-github-security-advisories) | | | | | **X** |{% endif %}{% ifversion ghes or ghae or ghec %}
|
| Gerenciar acesso às funcionalidades de {% data variables.product.prodname_GH_advanced_security %} (ver "[Gerenciar configurações de segurança e análise da sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)") | | | | | **X** |{% endif %}{% ifversion fpt or ghec %}
|
-| [Habilitar o gráfico de dependências](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository) em um repositório privado | | | | | **X** |{% endif %}{% ifversion ghes > 3.1 or ghae or ghec %}
+| [Habilitar o gráfico de dependências](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository) em um repositório privado | | | | | **X** |{% endif %}{% ifversion ghes or ghae or ghec %}
| [Visualizar as revisões de dependências](/code-security/supply-chain-security/about-dependency-review) | **X** | **X** | **X** | **X** | **X**
{% endif %}
| [Visualizar alertas de {% data variables.product.prodname_code_scanning %} em pull requests](/github/finding-security-vulnerabilities-and-errors-in-your-code/triaging-code-scanning-alerts-in-pull-requests) | **X** | **X** | **X** | **X** | **X** |
diff --git a/translations/pt-BR/content/organizations/managing-organization-settings/disabling-or-limiting-github-actions-for-your-organization.md b/translations/pt-BR/content/organizations/managing-organization-settings/disabling-or-limiting-github-actions-for-your-organization.md
index cdea5048a2..2c4aef12f7 100644
--- a/translations/pt-BR/content/organizations/managing-organization-settings/disabling-or-limiting-github-actions-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/managing-organization-settings/disabling-or-limiting-github-actions-for-your-organization.md
@@ -98,7 +98,6 @@ Você pode configurar esse comportamento para uma organização seguindo o proce
{% data reusables.actions.private-repository-forks-configure %}
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Definindo as permissões do `GITHUB_TOKEN` para a sua organização
{% data reusables.actions.workflow-permissions-intro %}
@@ -139,4 +138,3 @@ Por padrão, ao criar uma nova organização, os fluxos de trabalho não são pe
1. Clique em **Salvar** para aplicar as configurações.
{% endif %}
-{% endif %}
diff --git a/translations/pt-BR/content/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization.md b/translations/pt-BR/content/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization.md
index ba8d0aa255..e3ecc6bc3a 100644
--- a/translations/pt-BR/content/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/managing-organization-settings/verifying-or-approving-a-domain-for-your-organization.md
@@ -8,7 +8,7 @@ redirect_from:
- /organizations/managing-organization-settings/verifying-your-organizations-domain
permissions: Organization owners can verify or approve a domain for an organization.
versions:
- ghes: '>=3.2'
+ ghes: '*'
ghec: '*'
type: how_to
topics:
@@ -35,7 +35,7 @@ Após a verificação da propriedade dos domínios da sua organização, é exib
{% data reusables.organizations.verified-domains-details %}
-{% ifversion ghec or ghes > 3.1 %}
+{% ifversion ghec or ghes %}
Depois de verificar a propriedade do domínio da sua organização, você pode restringir as notificações de e-mail da organização para esse domínio. Para obter mais informações, consulte "[Restringir notificações de e-mail para sua organização](/organizations/keeping-your-organization-secure/restricting-email-notifications-for-your-organization)".
{% endif %}
@@ -51,7 +51,7 @@ Após aprovar domínios para a sua organização, você pode restringir notifica
Os proprietários de empresas não podem ver quais integrantes da organização ou endereços de e-mail recebem notificações dentro dos domínios aprovados.
-Os proprietários de empresas também podem aprovar domínios adicionais para organizações pertencentes à empresa. {% ifversion ghec %}Para obter mais informações, consulte "[Verificar ou aprovar um domínio para a sua empresa](/enterprise-cloud@latest/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}{% ifversion ghes > 3.1 %}Para obter mais informações, consulte[Verificando ou aprovando um domínio para sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise)".{% endif %}
+Os proprietários de empresas também podem aprovar domínios adicionais para organizações pertencentes à empresa. {% ifversion ghec %}Para obter mais informações, consulte "[Verificar ou aprovar um domínio para a sua empresa](/enterprise-cloud@latest/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise).{% endif %}{% ifversion ghes %}Para obter mais informações, consulte[Verificando ou aprovando um domínio para sua empresa](/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise)".{% endif %}
## Verificando um domínio para a sua organização
diff --git a/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/managing-moderators-in-your-organization.md b/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/managing-moderators-in-your-organization.md
index af31166483..227376f8d0 100644
--- a/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/managing-moderators-in-your-organization.md
+++ b/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/managing-moderators-in-your-organization.md
@@ -30,11 +30,10 @@ Você pode adicionar até 10 pessoas ou equipes, como moderadores. Se você já
{% data reusables.profile.access_org %}
{% data reusables.profile.org_settings %}
-{% data reusables.organizations.security-and-analysis %}
1. Na seção "Acesso" da barra lateral, selecione **Moderação de {% octicon "report" aria-label="The report icon" %}** e, em seguida, clique em **Moderadores**.
1. Em **moderadores**, pesquise e selecione a pessoa ou equipe à qual você deseja atribuir o papel de moderador. Cada pessoa ou equipe que você selecionar aparecerá na lista abaixo da barra de pesquisa. 
## Removendo um moderador da organização
-Siga os passos 1 a 4 acima e, em seguida, clique em **Remover moderador** ao lado da pessoa ou equipe que você deseja remover como moderador.
+Siga os passos 1 a 3 acima e, em seguida, clique em **Remover moderador** ao lado da pessoa ou equipe que você deseja remover como moderador.
diff --git a/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/roles-in-an-organization.md b/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/roles-in-an-organization.md
index b95077a8d0..c223eef8b4 100644
--- a/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/roles-in-an-organization.md
+++ b/translations/pt-BR/content/organizations/managing-peoples-access-to-your-organization-with-roles/roles-in-an-organization.md
@@ -160,7 +160,7 @@ Algumas das funcionalidades listadas abaixo estão limitadas a organizações qu
| Configurar as atribuições de revisão de código (consulte "[Gerenciar a atribuição de revisão de código para a sua equipe](/organizations/organizing-members-into-teams/managing-code-review-assignment-for-your-team)") | **X** | | |
| Adicionar colaboradores em **todos os repositórios** | **X** | | |
| Acessar o log de auditoria da organização | **X** | | |
-| Edite a página de perfil da organização (consulte "[Sobre o perfil da sua organização](/github/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile)") | **X** | | |{% ifversion ghes > 3.1 %}
+| Edite a página de perfil da organização (consulte "[Sobre o perfil da sua organização](/github/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile)") | **X** | | |{% ifversion ghes %}
| Verifique os domínios da organização (consulte "[verificando o domínio](/articles/verifying-your-organization-s-domain) da sua organização") | **X** | | |
| Restringir notificações de e-mail a domínios verificados ou aprovados (ver "[Restringindo notificações de e-mail para sua organização](/organizations/keeping-your-organization-secure/restricting-email-notifications-for-your-organization)") | **X** | |
{% endif %}
@@ -171,7 +171,7 @@ Algumas das funcionalidades listadas abaixo estão limitadas a organizações qu
| @mencionar qualquer equipe visível | **X** | **X** | **X** |
| Poder se tornar um *mantenedor de equipe* | **X** | **X** | **X** |
| Transferir repósitórios | **X** | | |
-| Gerenciar as configurações de segurança e análise (consulte "[Gerenciando as configurações de segurança e análise para sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)") | **X** | | **X** |{% ifversion ghes > 3.1 %}
+| Gerenciar as configurações de segurança e análise (consulte "[Gerenciando as configurações de segurança e análise para sua organização](/organizations/keeping-your-organization-secure/managing-security-and-analysis-settings-for-your-organization)") | **X** | | **X** |{% ifversion ghes %}
| Visualizar a visão geral de segurança da organização (consulte "[Sobre a visão geral de segurança](/code-security/security-overview/about-the-security-overview)") | **X** | | **X** |{% endif %}{% ifversion ghes > 3.2 %}
| Gerenciar {% data variables.product.prodname_dependabot_security_updates %} (ver "[Sobre {% data variables.product.prodname_dependabot_security_updates %}](/github/managing-security-vulnerabilities/about-dependabot-security-updates)") | **X** | | **X**
{% endif %}
@@ -182,7 +182,7 @@ Algumas das funcionalidades listadas abaixo estão limitadas a organizações qu
| Editar e excluir discussões de equipe em **todas as equipes** (para obter mais informações, consulte "[Gerenciar comentários conflituosos](/communities/moderating-comments-and-conversations/managing-disruptive-comments)) | **X** | | | |
| Ocultar comentários em commits, pull requests e problemas (consulte "[Gerenciando comentários disruptivos](/communities/moderating-comments-and-conversations/managing-disruptive-comments/#hiding-a-comment)") | **X** | **X** | **X** |
| desabilite as discussões de equipe para uma organização (consulte "[Desabilitando discussões em equipe para a sua organização](/articles/disabling-team-discussions-for-your-organization)") | **X** | | |
-| Definir a forot de um perfil da equipe em **todas as equipes** (consulte "[Configurando a foto de perfil da sua equipe](/articles/setting-your-team-s-profile-picture)") | **X** | | |{% ifversion ghes > 3.0 %}
+| Definir a forot de um perfil da equipe em **todas as equipes** (consulte "[Configurando a foto de perfil da sua equipe](/articles/setting-your-team-s-profile-picture)") | **X** | | |{% ifversion ghes %}
| Gerenciar a publicação de sites de {% data variables.product.prodname_pages %} de repositórios na organização (consulte "[Gerenciando a publicação de sites de {% data variables.product.prodname_pages %} da sua organização](/organizations/managing-organization-settings/managing-the-publication-of-github-pages-sites-for-your-organization)") | **X** | |
{% endif %}
| [Mover equipes na hierarquia da organização](/articles/moving-a-team-in-your-organization-s-hierarchy) | **X** | | |
@@ -196,48 +196,47 @@ Algumas das funcionalidades listadas abaixo estão limitadas a organizações qu
{% endif %}
{% ifversion ghae %}| Gerenciar listas de permissão de IP (consulte "[Restringir tráfego de rede para a sua empresa](/admin/configuration/restricting-network-traffic-to-your-enterprise)") | **X** | | |{% endif %}
-
{% else %}
-| Ação da organização | Proprietários | Integrantes |
-|:---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |:-------------:|:------------------------------:|
-| Convidar pessoas para integrar a organização | **X** | |
-| Editar e cancelar convites para integrar a organização | **X** | |
-| Remover integrantes da organização | **X** | | |
-| Restabelecer ex-integrantes da organização | **X** | | |
-| Adicionar e remover pessoas de **todas as equipes** | **X** | |
-| Promover integrantes da organização a *mantenedor de equipe* | **X** | |
-| Configure as atribuições de revisão de código (consulte "[Gerenciando as configurações de revisão de código da sua equipe](/organizations/organizing-members-into-teams/managing-code-review-settings-for-your-team)")) | **X** | |
-| Adicionar colaboradores em **todos os repositórios** | **X** | |
-| Acessar o log de auditoria da organização | **X** | |
-| Edite a página de perfil da organização (consulte "[Sobre o perfil da sua organização](/github/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile)") | **X** | | |{% ifversion ghes > 3.1 %}
-| Verifique os domínios da organização (consulte "[verificando o domínio](/articles/verifying-your-organization-s-domain) da sua organização") | **X** | |
-| Restringir notificações de e-mail a domínios verificados ou aprovados (ver "[Restringindo notificações de e-mail para sua organização](/organizations/keeping-your-organization-secure/restricting-email-notifications-for-your-organization)") | **X** |
+| Ação da organização | Proprietários | Integrantes |
+|:---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |:-------------:|:------------------------:|
+| Convidar pessoas para integrar a organização | **X** | |
+| Editar e cancelar convites para integrar a organização | **X** | |
+| Remover integrantes da organização | **X** | | |
+| Restabelecer ex-integrantes da organização | **X** | | |
+| Adicionar e remover pessoas de **todas as equipes** | **X** | |
+| Promover integrantes da organização a *mantenedor de equipe* | **X** | |
+| Configure as atribuições de revisão de código (consulte "[Gerenciando as configurações de revisão de código da sua equipe](/organizations/organizing-members-into-teams/managing-code-review-settings-for-your-team)")) | **X** | |
+| Adicionar colaboradores em **todos os repositórios** | **X** | |
+| Acessar o log de auditoria da organização | **X** | |
+| Edite a página de perfil da organização (consulte "[Sobre o perfil da sua organização](/github/setting-up-and-managing-your-github-profile/customizing-your-profile/about-your-organizations-profile)") | **X** | | |{% ifversion ghes %}
+| Verifique os domínios da organização (consulte "[verificando o domínio](/articles/verifying-your-organization-s-domain) da sua organização") | **X** | |
+| Restringir notificações de e-mail a domínios verificados ou aprovados (ver "[Restringindo notificações de e-mail para sua organização](/organizations/keeping-your-organization-secure/restricting-email-notifications-for-your-organization)") | **X** |
{% endif %}
-| Excluir **todas as equipes** | **X** | |
-| Excluir a conta da organização, inclusive todos os repositórios | **X** | |
-| Criar equipes (consulte "[Configurando permissões de criação de equipe na sua organização](/articles/setting-team-creation-permissions-in-your-organization)") | **X** | **X** |
-| Ver todos os integrantes e equipes da organização | **X** | **X** |
-| @mencionar qualquer equipe visível | **X** | **X** |
-| Poder se tornar um *mantenedor de equipe* | **X** | **X** |
-| Transferir repósitórios | **X** | |
-| Gerenciar as autoridades de certificado SSH de uma organização (consulte "["Gerenciando as autoridades de certificado SSH da sua organização](/articles/managing-your-organizations-ssh-certificate-authorities)") | **X** | |
-| Criar quadros de projetos (consulte "[Permissões para o quadro de projetos para uam organização](/articles/project-board-permissions-for-an-organization)") | **X** | **X** | |
-| Visualize e publique discussões públicas de equipes para **todas as equipes** (Consulte "[Sobre discussões de equipes](/organizations/collaborating-with-your-team/about-team-discussions)") | **X** | **X** | |
-| Visualize e publique discussões privadas em equipe para **todas as equipes** (veja "[Sobre discussões em equipes](/organizations/collaborating-with-your-team/about-team-discussions)") | **X** | | |
-| Editar e excluir discussões de equipe em **todas as equipes** (para obter mais informações, consulte "[Gerenciar comentários conflituosos](/communities/moderating-comments-and-conversations/managing-disruptive-comments)) | **X** | | |
-| Ocultar comentários em commits, pull requests e problemas (consulte "[Gerenciando comentários disruptivos](/communities/moderating-comments-and-conversations/managing-disruptive-comments/#hiding-a-comment)") | **X** | **X** | **X** |
-| desabilite as discussões de equipe para uma organização (consulte "[Desabilitando discussões em equipe para a sua organização](/articles/disabling-team-discussions-for-your-organization)") | **X** | | |
-| Definir a forot de um perfil da equipe em **todas as equipes** (consulte "[Configurando a foto de perfil da sua equipe](/articles/setting-your-team-s-profile-picture)") | **X** | | |{% ifversion ghes > 3.0 %}
-| Gerenciar a publicação de sites de {% data variables.product.prodname_pages %} de repositórios na organização (consulte "[Gerenciando a publicação de sites de {% data variables.product.prodname_pages %} da sua organização](/organizations/managing-organization-settings/managing-the-publication-of-github-pages-sites-for-your-organization)") | **X** |
+| Excluir **todas as equipes** | **X** | |
+| Excluir a conta da organização, inclusive todos os repositórios | **X** | |
+| Criar equipes (consulte "[Configurando permissões de criação de equipe na sua organização](/articles/setting-team-creation-permissions-in-your-organization)") | **X** | **X** |
+| Ver todos os integrantes e equipes da organização | **X** | **X** |
+| @mencionar qualquer equipe visível | **X** | **X** |
+| Poder se tornar um *mantenedor de equipe* | **X** | **X** |
+| Transferir repósitórios | **X** | |
+| Gerenciar as autoridades de certificado SSH de uma organização (consulte "["Gerenciando as autoridades de certificado SSH da sua organização](/articles/managing-your-organizations-ssh-certificate-authorities)") | **X** | |
+| Criar quadros de projetos (consulte "[Permissões para o quadro de projetos para uam organização](/articles/project-board-permissions-for-an-organization)") | **X** | **X** | |
+| Visualize e publique discussões públicas de equipes para **todas as equipes** (Consulte "[Sobre discussões de equipes](/organizations/collaborating-with-your-team/about-team-discussions)") | **X** | **X** | |
+| Visualize e publique discussões privadas em equipe para **todas as equipes** (veja "[Sobre discussões em equipes](/organizations/collaborating-with-your-team/about-team-discussions)") | **X** | | |
+| Editar e excluir discussões de equipe em **todas as equipes** (para obter mais informações, consulte "[Gerenciar comentários conflituosos](/communities/moderating-comments-and-conversations/managing-disruptive-comments)) | **X** | | |
+| Ocultar comentários em commits, pull requests e problemas (consulte "[Gerenciando comentários disruptivos](/communities/moderating-comments-and-conversations/managing-disruptive-comments/#hiding-a-comment)") | **X** | **X** | **X** |
+| desabilite as discussões de equipe para uma organização (consulte "[Desabilitando discussões em equipe para a sua organização](/articles/disabling-team-discussions-for-your-organization)") | **X** | | |
+| Definir a forot de um perfil da equipe em **todas as equipes** (consulte "[Configurando a foto de perfil da sua equipe](/articles/setting-your-team-s-profile-picture)") | **X** | | |{% ifversion ghes %}
+| Gerenciar a publicação de sites de {% data variables.product.prodname_pages %} de repositórios na organização (consulte "[Gerenciando a publicação de sites de {% data variables.product.prodname_pages %} da sua organização](/organizations/managing-organization-settings/managing-the-publication-of-github-pages-sites-for-your-organization)") | **X** |
{% endif %}
-| [Mover equipes na hierarquia da organização](/articles/moving-a-team-in-your-organization-s-hierarchy) | **X** | | |
-| Fazer pull (ler), fazer push (gravar) e clonar (copiar) *todos os repositórios* na organização | **X** | |
-| Converter integrantes da organização em [colaboradores externos](#outside-collaborators) | **X** | |
-| [Exibir as pessoas com acesso a um repositório da organização](/articles/viewing-people-with-access-to-your-repository) | **X** | |
-| [Exportar uma lista das pessoas com acesso a um repositório da organização](/articles/viewing-people-with-access-to-your-repository/#exporting-a-list-of-people-with-access-to-your-repository) | **X** | |
-| Gerenciar etiquetas padrão (consulte "[Gerenciar etiquetas padrão nos repositórios da organização](/articles/managing-default-labels-for-repositories-in-your-organization)") | **X** | |
+| [Mover equipes na hierarquia da organização](/articles/moving-a-team-in-your-organization-s-hierarchy) | **X** | | |
+| Fazer pull (ler), fazer push (gravar) e clonar (copiar) *todos os repositórios* na organização | **X** | |
+| Converter integrantes da organização em [colaboradores externos](#outside-collaborators) | **X** | |
+| [Exibir as pessoas com acesso a um repositório da organização](/articles/viewing-people-with-access-to-your-repository) | **X** | |
+| [Exportar uma lista das pessoas com acesso a um repositório da organização](/articles/viewing-people-with-access-to-your-repository/#exporting-a-list-of-people-with-access-to-your-repository) | **X** | |
+| Gerenciar etiquetas padrão (consulte "[Gerenciar etiquetas padrão nos repositórios da organização](/articles/managing-default-labels-for-repositories-in-your-organization)") | **X** | |
{% ifversion ghae %}| Gerenciar listas de permissão de IP (consulte "[Restringir tráfego de rede para a sua empresa](/admin/configuration/restricting-network-traffic-to-your-enterprise)") | **X** | |{% endif %}
{% endif %}
diff --git a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
index 81216c00ec..f087ef938c 100644
--- a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
+++ b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/index.md
@@ -21,7 +21,7 @@ children:
- /downloading-your-organizations-saml-single-sign-on-recovery-codes
- /managing-team-synchronization-for-your-organization
- /accessing-your-organization-if-your-identity-provider-is-unavailable
- - /troubleshooting-identity-and-access-management
+ - /troubleshooting-identity-and-access-management-for-your-organization
shortTitle: Gerenciar logon único SAML
---
diff --git a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
index f14f85ee8e..e5f7899166 100644
--- a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
+++ b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization.md
@@ -74,7 +74,7 @@ Para evitar possíveis erros de sincronização de equipes com o Okta, recomenda
Se um integrante da organização não tiver uma identidade SCIM vinculada, a sincronização de equipes não funcionará conforme esperado e o usuário não poderá ser adicionado ou removido das equipes como esperado. Se algum desses usuários não tiver uma identidade associada ao SCIM, você deverá provisioná-la novamente.
-Para obter ajuda sobre o provisionamento de usuários que não tenham uma identidade vinculada ao SCIM, consulte "[Resolvendo problemas de identidade e gerenciamento de acessos](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management)".
+For help on provisioning users that have missing a missing SCIM linked identity, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
{% data reusables.identity-and-permissions.team-sync-okta-requirements %}
diff --git a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
similarity index 91%
rename from translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md
rename to translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
index ec0e75edae..ee95b40ec0 100644
--- a/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management.md
+++ b/translations/pt-BR/content/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization.md
@@ -1,5 +1,5 @@
---
-title: Solução de problemas de identidade e gerenciamento de acesso
+title: Troubleshooting identity and access management for your organization
intro: 'Revise e solucuone erros comuns para gerenciar a o SAML SSO da sua organização, sincronização de equipes ou provedor de identidade (IdP).'
versions:
ghec: '*'
@@ -7,8 +7,14 @@ topics:
- Organizations
- Teams
shortTitle: Solução de problemas de acesso
+redirect_from:
+ - /organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management
---
+{% data reusables.saml.current-time-earlier-than-notbefore-condition %}
+
+{% data reusables.saml.authentication-loop %}
+
## Alguns usuários não são provisionados ou desprovisionados pelo SCIM
Ao encontrar problemas de provisionamento com os usuários, recomendamos que verifique se os usuários não têm metadados de SCIM.
@@ -87,3 +93,7 @@ Você pode provisionar o SCIM novamente para os usuários manualmente por meio d
Para confirmar que a identidade do SCIM de um usuário foi criada. Recomendamos testar este processo com um único integrante de uma organização que você tenha confirmado que não tem uma identidade externa do SCIM. Depois de atualizar manualmente os usuários do seu IdP, você poderá verificar se a identidade SCIM do usuário foi criada usando a API SCIM ou em {% data variables.product.prodname_dotcom %}. Para mais informações consulte "[Usuários de auditoria por falta de metadados SCIM](#auditing-users-for-missing-scim-metadata)" ou o ponto de extremidade da API REST "[Obtenha informações de provisionamento do SCIM para um usuário](/rest/reference/scim#get-scim-provisioning-information-for-a-user)."
Se o novo provisionamento do SCIM para os usuários não ajudar, entre em contato com o suporte de {% data variables.product.prodname_dotcom %}.
+
+## Leia mais
+
+- "[Troubleshooting identity and access management for your enterprise](/admin/identity-and-access-management/managing-iam-for-your-enterprise/troubleshooting-identity-and-access-management-for-your-enterprise)"
diff --git a/translations/pt-BR/content/organizations/organizing-members-into-teams/synchronizing-a-team-with-an-identity-provider-group.md b/translations/pt-BR/content/organizations/organizing-members-into-teams/synchronizing-a-team-with-an-identity-provider-group.md
index 91e4b91111..8f22479202 100644
--- a/translations/pt-BR/content/organizations/organizing-members-into-teams/synchronizing-a-team-with-an-identity-provider-group.md
+++ b/translations/pt-BR/content/organizations/organizing-members-into-teams/synchronizing-a-team-with-an-identity-provider-group.md
@@ -1,6 +1,6 @@
---
title: Sincronizar uma equipe com um grupo de provedor de identidade
-intro: 'Você pode sincronizar uma equipe do {% data variables.product.product_name %} com um grupo de provedor de identidade (IdP) para adicionar e remover automaticamente os integrantes da equipe.'
+intro: 'You can synchronize a {% data variables.product.product_name %} team with a supported identity provider (IdP) group to automatically add and remove team members.'
redirect_from:
- /github/setting-up-and-managing-organizations-and-teams/synchronizing-a-team-with-an-identity-provider-group
permissions: 'Organization owners and team maintainers can synchronize a {% data variables.product.prodname_dotcom %} team with an IdP group.'
diff --git a/translations/pt-BR/content/packages/learn-github-packages/about-permissions-for-github-packages.md b/translations/pt-BR/content/packages/learn-github-packages/about-permissions-for-github-packages.md
index 75784ab4e3..dfdb7479e2 100644
--- a/translations/pt-BR/content/packages/learn-github-packages/about-permissions-for-github-packages.md
+++ b/translations/pt-BR/content/packages/learn-github-packages/about-permissions-for-github-packages.md
@@ -47,7 +47,7 @@ Para usar ou gerenciar um pacote hospedado por um registro de pacotes, você dev
Por exemplo:
- Para fazer o download e instalar pacotes de um repositório, seu token deve ter o escopo `read:packages` e sua conta de usuário deve ter permissão de leitura.
-- |{% ifversion fpt or ghes > 3.1 or ghec %}Para excluir um pacote em {% data variables.product.product_name %}, o seu token deve ter pelo menos o escopo `delete:packages` e `read:packages`. O escopo do `repositório` também é necessário para pacotes com escopo de repositório. Para obter mais informações, consulte "format@@0[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package).{% elsif ghae %}Para excluir uma versão específica de um pacote em {% data variables.product.product_name %}, seu token deve ter os escopos `delete:packages` e `repositório`. Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
+- |{% ifversion fpt or ghes or ghec %}Para excluir um pacote em {% data variables.product.product_name %}, o seu token deve ter pelo menos o escopo `delete:packages` e `read:packages`. O escopo do `repositório` também é necessário para pacotes com escopo de repositório. Para obter mais informações, consulte "format@@0[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package).{% elsif ghae %}Para excluir uma versão específica de um pacote em {% data variables.product.product_name %}, seu token deve ter os escopos `delete:packages` e `repositório`. Para obter mais informações, consulte "[Excluindo e restaurando um pacote](/packages/learn-github-packages/deleting-and-restoring-a-package)."{% endif %}
| Escopo | Descrição | Permissão necessária |
| ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------- | -------------------- |
| `read:packages` | Faça o download e instale pacotes do {% data variables.product.prodname_registry %} | leitura |
diff --git a/translations/pt-BR/content/packages/learn-github-packages/deleting-and-restoring-a-package.md b/translations/pt-BR/content/packages/learn-github-packages/deleting-and-restoring-a-package.md
index d87cea97d4..3342151d3c 100644
--- a/translations/pt-BR/content/packages/learn-github-packages/deleting-and-restoring-a-package.md
+++ b/translations/pt-BR/content/packages/learn-github-packages/deleting-and-restoring-a-package.md
@@ -9,7 +9,7 @@ redirect_from:
- /packages/guides/deleting-a-container-image
versions:
fpt: '*'
- ghes: '>=3.2'
+ ghes: '*'
ghec: '*'
ghae: '*'
shortTitle: Excluir & restaurar um pacote
@@ -102,9 +102,9 @@ curl -X POST \
HOSTNAME/graphql
```
-Para encontrar todos os pacotes privados que você publicou em {% data variables.product.prodname_registry %}, junto com os IDs de versão dos pacotes, você pode usar a conexão dos `pacotes` através do objeto `repositório`. Você vai precisar de um token com os escopos `read:packages` e `repo`. Para obter mais informações, consulte a conexão dos [`pacotes`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#repository) ou a interface do [`proprietário do pacote`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/interfaces#packageowner).
+Para encontrar todos os pacotes privados que você publicou em {% data variables.product.prodname_registry %}, junto com os IDs de versão dos pacotes, você pode usar a conexão dos `pacotes` através do objeto `repositório`. Você vai precisar de um token com os escopos `read:packages` e `repo`. For more information, see the [`packages`](/graphql/reference/objects#repository) connection or the [`PackageOwner`](/graphql/reference/interfaces#packageowner) interface.
-Para obter mais informações sobre a mutação `deletePackageVersion`, consulte "[`deletePackageVersion`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/mutations#deletepackageversion)".
+Para obter mais informações sobre a mutação `deletePackageVersion`, consulte "[`deletePackageVersion`](/graphql/reference/mutations#deletepackageversion)".
Você não pode excluir diretamente um pacote inteiro usando o GraphQL, mas se você excluir todas as versões de um pacote, o pacote não será mostrado em {% data variables.product.product_name %}.
diff --git a/translations/pt-BR/content/packages/learn-github-packages/introduction-to-github-packages.md b/translations/pt-BR/content/packages/learn-github-packages/introduction-to-github-packages.md
index d086da73ad..a78b50cb58 100644
--- a/translations/pt-BR/content/packages/learn-github-packages/introduction-to-github-packages.md
+++ b/translations/pt-BR/content/packages/learn-github-packages/introduction-to-github-packages.md
@@ -112,7 +112,7 @@ You can delete a private or public package in the {% data variables.product.prod
You can delete a version of a package in the {% data variables.product.product_name %} user interface or using the GraphQL API.
{% endif %}
-When you use the GraphQL API to query and delete private packages, you must use the same token you use to authenticate to {% data variables.product.prodname_registry %}. For more information, see {% ifversion fpt or ghec or ghes > 3.1 or ghae %}"[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)" and {% endif %}"[Forming calls with GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/forming-calls-with-graphql)."
+When you use the GraphQL API to query and delete private packages, you must use the same token you use to authenticate to {% data variables.product.prodname_registry %}. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)" and "[Forming calls with GraphQL](/graphql/guides/forming-calls-with-graphql)."
You can configure webhooks to subscribe to package-related events, such as when a package is published or updated. For more information, see the "[`package` webhook event](/webhooks/event-payloads/#package)."
diff --git a/translations/pt-BR/content/packages/managing-github-packages-using-github-actions-workflows/publishing-and-installing-a-package-with-github-actions.md b/translations/pt-BR/content/packages/managing-github-packages-using-github-actions-workflows/publishing-and-installing-a-package-with-github-actions.md
index 27ad078626..d44ad4cdb4 100644
--- a/translations/pt-BR/content/packages/managing-github-packages-using-github-actions-workflows/publishing-and-installing-a-package-with-github-actions.md
+++ b/translations/pt-BR/content/packages/managing-github-packages-using-github-actions-workflows/publishing-and-installing-a-package-with-github-actions.md
@@ -32,7 +32,7 @@ Você pode estender os recursos de CI e CD do seu repositório publicando ou ins
### Efetuar a autenticação nos registros do pacote em {% data variables.product.prodname_dotcom %}
-{% ifversion fpt or ghec %}Se você quiser que o seu fluxo de trabalho seja autenticado em {% data variables.product.prodname_registry %} para acessar o registro de um pacote diferente de {% data variables.product.prodname_container_registry %} em {% data variables.product.product_location %}, {% else %}Para efetuar a autenticação em registros de pacote em {% data variables.product.product_name %},{% endif %}, recomendamos o uso de `GITHUB_TOKEN` que {% data variables.product.product_name %} cria automaticamente para o seu repositório quando você habilita {% data variables.product.prodname_actions %} em vez de um token de acesso pessoal para autenticação. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}Você deverá definir as permissões para este token de acesso no arquivo do fluxo de trabalho para conceder acesso de leitura para o `conteúdo` escopo e acesso de gravação para o escopo `pacotes`. {% else %}tem permissões de leitura e gravação para pacotes no repositório em que o fluxo de trabalho é executado. {% endif %}Para bifurcações, o `GITHUB_TOKEN` recebe acesso de leitura para o repositório principal. Para obter mais informações, consulte "[Autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
+{% ifversion fpt or ghec %}Se você quiser que o seu fluxo de trabalho seja autenticado em {% data variables.product.prodname_registry %} para acessar o registro de um pacote diferente de {% data variables.product.prodname_container_registry %} em {% data variables.product.product_location %}, {% else %}Para efetuar a autenticação em registros de pacote em {% data variables.product.product_name %},{% endif %}, recomendamos o uso de `GITHUB_TOKEN` que {% data variables.product.product_name %} cria automaticamente para o seu repositório quando você habilita {% data variables.product.prodname_actions %} em vez de um token de acesso pessoal para autenticação. You should set the permissions for this access token in the workflow file to grant read access for the `contents` scope and write access for the `packages` scope. For forks, the `GITHUB_TOKEN` is granted read access for the parent repository. Para obter mais informações, consulte "[Autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
Você pode fazer referência ao `GITHUB_TOKEN` no seu arquivo de fluxo de trabalho usando o contexto {% raw %}`{{secrets.GITHUB_TOKEN}}`{% endraw %}. Para obter mais informações, consulte "[Permissões para o GITHUB_TOKEN](/actions/automating-your-workflow-with-github-actions/authenticating-with-the-github_token)".
@@ -138,7 +138,7 @@ jobs:
build-and-push-image:
runs-on: ubuntu-latest
- needs: run-npm-test {% ifversion ghes > 3.1 or ghae %}
+ needs: run-npm-test {% ifversion ghes or ghae %}
permissions:
contents: read
packages: write {% endif %}
@@ -288,7 +288,6 @@ build-and-push-image:
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% raw %}
@@ -303,7 +302,6 @@ permissions:
Define as permissões concedidas ao GITHUB_TOKEN para as ações deste trabalho.
|
-{% endif %}
{% ifversion fpt or ghec %}
@@ -474,7 +472,6 @@ Este novo fluxo de trabalho será executado automaticamente toda vez que você f
Alguns minutos após a conclusão do fluxo de trabalho, o novo pacote ficará visível no seu repositório. Para encontrar seus pacotes disponíveis, consulte "[Visualizar os pacotes de um repositório](/packages/publishing-and-managing-packages/viewing-packages#viewing-a-repositorys-packages)".
-
## Instalar um pacote usando uma ação
Você pode instalar pacotes como parte de seu fluxo de CI usando o {% data variables.product.prodname_actions %}. Por exemplo, você poderia configurar um fluxo de trabalho para que sempre que um desenvolvedor fizesse push do código para um pull request, o fluxo de trabalho resolveria as dependências, fazendo o download e instalando pacotes hospedados pelo {% data variables.product.prodname_registry %}. Em seguida, o fluxo de trabalho pode executar testes de CI que exigem as dependências.
@@ -529,10 +526,10 @@ jobs:
# Push image to GitHub Packages.
# See also https://docs.docker.com/docker-hub/builds/
push:
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- uses: {% data reusables.actions.action-checkout %}
diff --git a/translations/pt-BR/content/packages/quickstart.md b/translations/pt-BR/content/packages/quickstart.md
index 9fdedf04a7..fb08254745 100644
--- a/translations/pt-BR/content/packages/quickstart.md
+++ b/translations/pt-BR/content/packages/quickstart.md
@@ -70,10 +70,10 @@ Neste guia, você criará um fluxo de trabalho de {% data variables.product.prod
publish-gpr:
needs: build
- runs-on: ubuntu-latest{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
+ runs-on: ubuntu-latest
permissions:
packages: write
- contents: read{% endif %}
+ contents: read
steps:
- uses: {% data reusables.actions.action-checkout %}
- uses: {% data reusables.actions.action-setup-node %}
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry.md
index c18396b6fa..724f57e18d 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry.md
@@ -190,5 +190,5 @@ To install an Apache Maven package from {% data variables.product.prodname_regis
## Further reading
-- "[Working with the Gradle registry](/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry)"{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"{% endif %}
+- "[Working with the Gradle registry](/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry)"
+- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-docker-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-docker-registry.md
index f114ecd455..dc433c384c 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-docker-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-docker-registry.md
@@ -261,12 +261,8 @@ $ docker pull HOSTNAME/OWNER/REPOSITORY/IMAGE_NAME:TAG_NAME
{% endnote %}
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-
## Further reading
- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"
-{% endif %}
-
{% endif %}
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry.md
index 62c520c70b..7ff16231a5 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-gradle-registry.md
@@ -215,5 +215,5 @@ To use a published package from {% data variables.product.prodname_registry %},
## Further reading
-- "[Working with the Apache Maven registry](/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry)"{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"{% endif %}
+- "[Working with the Apache Maven registry](/packages/working-with-a-github-packages-registry/working-with-the-apache-maven-registry)"
+- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-npm-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-npm-registry.md
index f34f6977a1..6714384e4d 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-npm-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-npm-registry.md
@@ -27,7 +27,7 @@ If you publish over 1,000 npm package versions to {% data variables.product.prod
In the future, to improve performance of the service, you won't be able to publish more than 1,000 versions of a package on {% data variables.product.prodname_dotcom %}. Any versions published before hitting this limit will still be readable.
-If you reach this limit, consider deleting package versions or contact Support for help. When this limit is enforced, our documentation will be updated with a way to work around this limit. For more information, see {% ifversion fpt or ghec or ghes > 3.1 or ghae %}"[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)" or {% endif %}"[Contacting Support](/packages/learn-github-packages/about-github-packages#contacting-support)."
+If you reach this limit, consider deleting package versions or contact Support for help. When this limit is enforced, our documentation will be updated with a way to work around this limit. For more information, see "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)" or "[Contacting Support](/packages/learn-github-packages/about-github-packages#contacting-support)."
## Authenticating to {% data variables.product.prodname_registry %}
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-nuget-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-nuget-registry.md
index b46d62fb81..13e7dbafc2 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-nuget-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-nuget-registry.md
@@ -232,8 +232,6 @@ Your NuGet package may fail to push if the `RepositoryUrl` in *.csproj* is not s
If you're using a nuspec file, ensure that it has a `repository` element with the required `type` and `url` attributes.
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
## Further reading
- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"
-{% endif %}
diff --git a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-rubygems-registry.md b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-rubygems-registry.md
index 01a56b4478..22800bd5c6 100644
--- a/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-rubygems-registry.md
+++ b/translations/pt-BR/content/packages/working-with-a-github-packages-registry/working-with-the-rubygems-registry.md
@@ -151,10 +151,7 @@ You can use gems from {% data variables.product.prodname_registry %} much like y
$ gem install octo-gem --version "0.1.1"
```
-{% ifversion fpt or ghec or ghes > 3.1 or ghae %}
-
## Further reading
- "[Deleting and restoring a package](/packages/learn-github-packages/deleting-and-restoring-a-package)"
-{% endif %}
diff --git a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request.md b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request.md
index 3585e94612..23bbd57b4d 100644
--- a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request.md
+++ b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request.md
@@ -20,9 +20,9 @@ shortTitle: Fazer merge do PR automaticamente
Se você habilitar o merge automático para um pull request, este será mesclado automaticamente quando todas as revisões necessárias forem atendidas e as verificações de status forem aprovadas. O merge automático impede que você espere que os sejam atendidos para que você possa passar para outras tarefas.
-Antes de usar o merge automático com um pull request, o merge automático deve ser habilitado para o repositório. Para obter mais informações, consulte "[Gerenciar merge automático para pull requests no seu repositório](/github/administering-a-repository/managing-auto-merge-for-pull-requests-in-your-repository)."{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
+Antes de usar o merge automático com um pull request, o merge automático deve ser habilitado para o repositório. Para obter mais informações, consulte "[Gerenciar merge automático para pull requests no seu repositório](/github/administering-a-repository/managing-auto-merge-for-pull-requests-in-your-repository).
-Depois que você ativar o merge automático para uma pull request, se alguém que não tiver permissões de gravação no repositório fizer push de novas alterações no branch principal ou alterar o branch de base do pull request, o merge automático será desabilitado. Por exemplo, se um mantenedor permitir o merge automático para um pull request a partir de uma bifurcação, o merge automático será desabilitado depois que um colaborador fizer push de novas alterações no pull request.{% endif %}
+Depois que você ativar o merge automático para uma pull request, se alguém que não tiver permissões de gravação no repositório fizer push de novas alterações no branch principal ou alterar o branch de base do pull request, o merge automático será desabilitado. For example, if a maintainer enables auto-merge for a pull request from a fork, auto-merge will be disabled after a contributor pushes new changes to the pull request.
Você pode fornecer feedback sobre o merge automático por meio de uma discussão de [uma discussão de feedback de {% data variables.product.product_name %}](https://github.com/github/feedback/discussions/categories/pull-requests-feedback).
diff --git a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request.md b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request.md
index 79b5561086..c2f36c6d67 100644
--- a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request.md
+++ b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-dependency-changes-in-a-pull-request.md
@@ -31,7 +31,7 @@ shortTitle: Revisar alterações de dependência
{% ifversion ghec %}Antes de usar a revisão de dependências em um repositório privado, você deve habilitar o gráfico de dependências. Para obter mais informações, consulte "[Explorando as dependências de um repositório](/code-security/supply-chain-security/understanding-your-software-supply-chain/exploring-the-dependencies-of-a-repository#enabling-and-disabling-the-dependency-graph-for-a-private-repository)"{% endif %}
-{% ifversion ghes > 3.1 %} Antes de você poder usar a revisão de dependências, você deverá habilitar o gráfico de dependências e conectar {% data variables.product.product_location %} a {% data variables.product.prodname_dotcom_the_website %}. Para obter mais informações, consulte "[Habilitar alertas para dependências vulneráveis em {% data variables.product.prodname_ghe_server %}](/admin/configuration/managing-connections-between-github-enterprise-server-and-github-enterprise-cloud/enabling-alerts-for-vulnerable-dependencies-on-github-enterprise-server){% endif %}
+{% ifversion ghes %} Antes de você poder usar a revisão de dependências, você deverá habilitar o gráfico de dependências e conectar {% data variables.product.product_location %} a {% data variables.product.prodname_dotcom_the_website %}. Para obter mais informações, consulte "[Habilitar alertas para dependências vulneráveis em {% data variables.product.prodname_ghe_server %}](/admin/configuration/managing-connections-between-github-enterprise-server-and-github-enterprise-cloud/enabling-alerts-for-vulnerable-dependencies-on-github-enterprise-server){% endif %}
Revisão de dependência permite a você "desloque para a esquerda". Você pode usar as informações preditivas fornecidas para capturar dependências vulneráveis antes que elas cheguem à produção. Para obter mais informações, consulte "[Sobre a revisão de dependências](/code-security/supply-chain-security/about-dependency-review)".
diff --git a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-proposed-changes-in-a-pull-request.md b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-proposed-changes-in-a-pull-request.md
index b894397da3..907de1e2ea 100644
--- a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-proposed-changes-in-a-pull-request.md
+++ b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/reviewing-changes-in-pull-requests/reviewing-proposed-changes-in-a-pull-request.md
@@ -63,7 +63,7 @@ Para obter mais informações sobre a revisão de pull requests em {% data varia
{% endcodespaces %}
{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}
## Revisar alterações de dependência
{% data reusables.dependency-review.beta %}
diff --git a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/working-with-forks/syncing-a-fork.md b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/working-with-forks/syncing-a-fork.md
index 45cd4c61fd..0a6e9573da 100644
--- a/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/working-with-forks/syncing-a-fork.md
+++ b/translations/pt-BR/content/pull-requests/collaborating-with-pull-requests/working-with-forks/syncing-a-fork.md
@@ -21,8 +21,6 @@ topics:
permissions: People with write access for a forked repository can sync the fork to the upstream repository.
---
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-
## Sincronizando o branch de uma bifurcação a partir da interface de usuário web
1. Em {% data variables.product.product_name %}, acesse a página principal do repositório bifurcado que você deseja sincronizar com o repositório upstream.
@@ -45,7 +43,6 @@ Se as alterações do repositório upstream causarem conflitos, o {% data variab
## Sincronizando o branch de uma bifurcação a partir da linha de comando
-{% endif %}
Antes de poder sincronizar a sua bifurcação com um repositório upstream, é necessário [configurar um controle remoto que aponte para o repositório upstream](/pull-requests/collaborating-with-pull-requests/working-with-forks/configuring-a-remote-for-a-fork) no Git.
{% data reusables.command_line.open_the_multi_os_terminal %}
diff --git a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/configuring-pull-request-merges/managing-auto-merge-for-pull-requests-in-your-repository.md b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/configuring-pull-request-merges/managing-auto-merge-for-pull-requests-in-your-repository.md
index c70896ebae..b3460823d8 100644
--- a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/configuring-pull-request-merges/managing-auto-merge-for-pull-requests-in-your-repository.md
+++ b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/configuring-pull-request-merges/managing-auto-merge-for-pull-requests-in-your-repository.md
@@ -18,7 +18,7 @@ shortTitle: Gerenciar merge automático
## Sobre o merge automático
-Se você permitir uma merge automático para pull requests no seu repositório, as pessoas com permissões de gravação poderão configurar pull requests individuais no repositório para fazer merge automaticamente quando todos os requisitos de merge forem atendidos. {% ifversion fpt or ghae or ghes > 3.1 or ghec %}Se alguém que não tiver permissão de gravação fizer push de um pull request que tenha merge automático habilitado, o merge automático será desabilitado para esse pull request. {% endif %}Para obter mais informações, consulte "[Fazer merge automático de um pull request](/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request)".
+Se você permitir uma merge automático para pull requests no seu repositório, as pessoas com permissões de gravação poderão configurar pull requests individuais no repositório para fazer merge automaticamente quando todos os requisitos de merge forem atendidos. If someone who does not have write permissions pushes changes to a pull request that has auto-merge enabled, auto-merge will be disabled for that pull request. Para obter mais informações, consulte "[Fazer merge automático de um pull request](/pull-requests/collaborating-with-pull-requests/incorporating-changes-from-a-pull-request/automatically-merging-a-pull-request)".
## Gerenciar merge automático
diff --git a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches.md b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches.md
index 817dd3ff21..eee713b1c3 100644
--- a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches.md
+++ b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/about-protected-branches.md
@@ -43,8 +43,7 @@ Por padrão, as restrições de uma regra de proteção de branch não se aplica
Para cada regra de proteção do branch, você pode escolher habilitar ou desabilitar as seguintes configurações.
- [Exigir revisões de pull request antes do merge](#require-pull-request-reviews-before-merging)
- [Exigir verificações de status antes do merge](#require-status-checks-before-merging)
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-- [Exigir resolução de conversas antes do merge](#require-conversation-resolution-before-merging){% endif %}
+- [Exigir resolução de conversa antes de merge](#require-conversation-resolution-before-merging)
- [Exigir commits assinados](#require-signed-commits)
- [Exigir histórico linear](#require-linear-history)
{% ifversion fpt or ghec %}
@@ -103,11 +102,9 @@ Você pode configurar as verificações de status obrigatórias como "flexível"
Para obter informações sobre a solução de problemas, consulte "[Solucionar problemas para as verificações de status obrigatórias](/github/administering-a-repository/troubleshooting-required-status-checks)".
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
### Exigir resolução de conversa antes de merge
Exige que todos os comentários no pull request sejam resolvidos antes de poder fazer merge em um branch protegido. Isso garante que todos os comentários sejam resolvidos ou reconhecidos antes do merge.
-{% endif %}
### Exigir commits assinados
diff --git a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/managing-a-branch-protection-rule.md b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/managing-a-branch-protection-rule.md
index 051d3d0a60..0e676764c9 100644
--- a/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/managing-a-branch-protection-rule.md
+++ b/translations/pt-BR/content/repositories/configuring-branches-and-merges-in-your-repository/defining-the-mergeability-of-pull-requests/managing-a-branch-protection-rule.md
@@ -70,9 +70,7 @@ Ao criar uma regra de branch, o branch que você especificar ainda não existe n
- Selecione **Require status checks to pass before merging** (Exigir verificações de status para aprovação antes de fazer merge). 
- Opcionalmente, para garantir que os pull requests sejam testados com o código mais recente no branch protegido, selecione **Exigir que os branches estejam atualizados antes do merge**. 
- Pesquise verificações de status, selecionando as verificações que você deseja exigir. 
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
1. Opcionalmente, selecione **Exige resolução de conversas antes de fazer merge**. 
-{%- endif %}
1. Opcionalmente, selecione **Exigir commits assinados**. 
1. Opcionalmente, selecione **Exigir histórico linear**. 
{%- ifversion fpt or ghec %}
diff --git a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/about-readmes.md b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/about-readmes.md
index d74e401fb3..c030b96573 100644
--- a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/about-readmes.md
+++ b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/customizing-your-repository/about-readmes.md
@@ -43,16 +43,12 @@ Se um repositório contiver mais de um arquivo README, o arquivo mostrado será

-{% ifversion fpt or ghae or ghes > 3.1 or ghec %}
-
## Índice gerado automaticamente para arquivos README
Para a visualização interpretada de qualquer arquivo Markdown em um repositório, incluindo arquivos README {% data variables.product.product_name %} irá gerar automaticamente um índice com base nos títulos da seção. Você pode visualizar o índice para um arquivo LEIAME, clicando no ícone de menu {% octicon "list-unordered" aria-label="The unordered list icon" %} no canto superior esquerdo da página interpretada.

-{% endif %}
-
## Links de seção nos arquivos README e páginas blob
{% data reusables.repositories.section-links %}
diff --git a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository.md b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository.md
index 0f6baf6307..0a08245ac5 100644
--- a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository.md
+++ b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-github-actions-settings-for-a-repository.md
@@ -101,7 +101,6 @@ Se uma política estiver desabilitada para uma organização {% ifversion ghec o
{% data reusables.repositories.settings-sidebar-actions-general %}
{% data reusables.actions.private-repository-forks-configure %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
## Definir as permissões do `GITHUB_TOKEN` para o seu repositório
{% data reusables.actions.workflow-permissions-intro %}
@@ -140,7 +139,6 @@ Por padrão, ao cria um novo repositório na sua conta pessoal, os fluxos de tra

1. Clique em **Salvar** para aplicar as configurações.
{% endif %}
-{% endif %}
{% ifversion ghes > 3.3 or ghae-issue-4757 or ghec %}
## Permitindo o acesso a componentes em um repositório interno
diff --git a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository.md b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository.md
index c4ebb6a4d4..f1c2b4a0ad 100644
--- a/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository.md
+++ b/translations/pt-BR/content/repositories/managing-your-repositorys-settings-and-features/enabling-features-for-your-repository/managing-security-and-analysis-settings-for-your-repository.md
@@ -48,8 +48,8 @@ Você pode administrar as funcionalidades de segurança e análise para o seu re
{% data reusables.repositories.sidebar-settings %}
{% data reusables.repositories.navigate-to-code-security-and-analysis %}
{% ifversion fpt or ghes or ghec %}
-4. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar ** ou **Habilitar **. {% ifversion not fpt %}O controle para "{% data variables.product.prodname_GH_advanced_security %}" está desabilitado se a sua empresa não tiver licenças disponíveis para {% data variables.product.prodname_advanced_security %}.{% endif %}{% ifversion fpt %} {% elsif ghec %}
-{% elsif ghes > 3.6 or ghae-issue-7044 %}{% elsif ghes = 3.1 or ghes = 3.2 %} {% else %}
+4. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar ** ou **Habilitar **. {% ifversion not fpt %}The control for "{% data variables.product.prodname_GH_advanced_security %}" is disabled if your enterprise has no available licenses for {% data variables.product.prodname_advanced_security %}.{% endif %}{% ifversion fpt %} {% elsif ghec %}
+{% elsif ghes > 3.6 or ghae-issue-7044 %}{% elsif ghes = 3.2 %} {% else %}
{% endif %}
{% ifversion not fpt %}
@@ -60,9 +60,6 @@ Você pode administrar as funcionalidades de segurança e análise para o seu re
{% endif %}
- {% ifversion ghes = 3.0 %}
-4. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar ** ou **Habilitar **. 
- {% endif %}
{% ifversion ghae %}
4. Em "Código de segurança e análise" à direita do recurso, clique em **Desabilitar ** ou **Habilitar **. Antes de poder habilitar "{% data variables.product.prodname_secret_scanning %}" no seu repositório, talvez seja necessário habilitar {% data variables.product.prodname_GH_advanced_security %}. 
{% endif %}
diff --git a/translations/pt-BR/content/repositories/viewing-activity-and-data-for-your-repository/understanding-connections-between-repositories.md b/translations/pt-BR/content/repositories/viewing-activity-and-data-for-your-repository/understanding-connections-between-repositories.md
index b571ac2ab6..0d6de1d261 100644
--- a/translations/pt-BR/content/repositories/viewing-activity-and-data-for-your-repository/understanding-connections-between-repositories.md
+++ b/translations/pt-BR/content/repositories/viewing-activity-and-data-for-your-repository/understanding-connections-between-repositories.md
@@ -64,7 +64,6 @@ As bifurcações são listadas em ordem alfabética pelo nome de usuário da pes
{% data reusables.repositories.accessing-repository-graphs %}
3. Na barra lateral esquerda, clique em **Forks** (Bifurcações). 
-{% ifversion fpt or ghes or ghae or ghec %}
## Visualizar as dependências de um repositório
Você pode usar o gráfico de dependências para explorar o código do qual seu repositório depende.
@@ -74,4 +73,3 @@ Quase todos os softwares dependem do código desenvolvido e mantido por outros d
O gráfico de dependências fornece uma ótima maneira de visualizar e explorar as dependências de um repositório. Para obter mais informações, consulte "[Sobre o gráfico de dependências](/code-security/supply-chain-security/about-the-dependency-graph)" e "[Explorar as dependências de um repositório](/code-security/supply-chain-security/exploring-the-dependencies-of-a-repository)".
Você também pode configurar o seu repositório para que {% data variables.product.company_short %} alerte você automaticamente sempre que uma vulnerabilidade de segurança for encontrada em uma das suas dependências. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_dependabot_alerts %}](/github/managing-security-vulnerabilities/about-alerts-for-vulnerable-dependencies)".
-{% endif %}
diff --git a/translations/pt-BR/content/rest/actions/permissions.md b/translations/pt-BR/content/rest/actions/permissions.md
index 984c3a065f..254f030eb1 100644
--- a/translations/pt-BR/content/rest/actions/permissions.md
+++ b/translations/pt-BR/content/rest/actions/permissions.md
@@ -14,4 +14,4 @@ versions:
## Sobre a API de permissões
-The {% data variables.product.prodname_actions %} Permissions API allows you to set permissions for what enterprises, organizations, and repositories are allowed to run {% data variables.product.prodname_actions %}, and what actions{% ifversion actions-workflow-policy %} and reusable workflows{% endif %} are allowed to run.{% ifversion fpt or ghec or ghes %} For more information, see "[Usage limits, billing, and administration](/actions/reference/usage-limits-billing-and-administration#disabling-or-limiting-github-actions-for-your-repository-or-organization)."{% endif %}
+A API de Permissões do {% data variables.product.prodname_actions %} permite que você defina as permissões para o que empresas, organizações, e repositórios estão autorizados a executar {% data variables.product.prodname_actions %}, e quais ações{% ifversion actions-workflow-policy %} e fluxos de trabalho reutilizáveis{% endif %} estão autorizados a ser executados.{% ifversion fpt or ghec or ghes %} Para obter mais informações, consulte "[Limites de uso, cobrança e administração](/actions/reference/usage-limits-billing-and-administration#disabling-or-limiting-github-actions-for-your-repository-or-organization)".{% endif %}
diff --git a/translations/pt-BR/content/rest/activity/events.md b/translations/pt-BR/content/rest/activity/events.md
index 9b3f58527b..72fa5d87f6 100644
--- a/translations/pt-BR/content/rest/activity/events.md
+++ b/translations/pt-BR/content/rest/activity/events.md
@@ -30,4 +30,4 @@ $ -H 'If-None-Match: "a18c3bded88eb5dbb5c849a489412bf3"'
> X-Poll-Interval: 60
```
-Only events created within the past 90 days will be included in timelines. Events older than 90 days will not be included (even if the total number of events in the timeline is less than 300).
\ No newline at end of file
+Only events created within the past 90 days will be included in timelines. Events older than 90 days will not be included (even if the total number of events in the timeline is less than 300).
diff --git a/translations/pt-BR/content/rest/code-scanning.md b/translations/pt-BR/content/rest/code-scanning.md
index 9003dcfe38..f456ed4d91 100644
--- a/translations/pt-BR/content/rest/code-scanning.md
+++ b/translations/pt-BR/content/rest/code-scanning.md
@@ -21,7 +21,6 @@ redirect_from:
A API de {% data variables.product.prodname_code_scanning %} permite que você recupere e atualize alertas de {% data variables.product.prodname_code_scanning %} alertas de um repositório. Você pode usar os pontos de extremidade para criar relatórios automatizados para os alertas de {% data variables.product.prodname_code_scanning %} em uma organização ou fazer upload dos resultados de análise gerados usando as ferramentas off-line de {% data variables.product.prodname_code_scanning %}. Para obter mais informações, consulte "[Encontrar vulnerabilidades e erros de segurança no seu código](/github/finding-security-vulnerabilities-and-errors-in-your-code).
-{% ifversion fpt or ghes > 3.0 or ghae or ghec %}
### Tipo de mídia personalizada para {% data variables.product.prodname_code_scanning %}
Existe um tipo de mídia personalizada com suporte para a API REST de {% data variables.product.prodname_code_scanning %}.
@@ -31,4 +30,3 @@ Existe um tipo de mídia personalizada com suporte para a API REST de {% data va
Você pode usar isso com solicitações de `GET` enviadas para o ponto de extremidade `/analyes/{analysis_id}`. Para obter mais informações sobre esta operação, consulte "[Obter uma análise de {% data variables.product.prodname_code_scanning %} para um repositório](#get-a-code-scanning-analysis-for-a-repository)". Ao usar este tipo de mídia com esta operação, a resposta inclui um subconjunto dos dados reais que foram enviados para a análise especificada, em vez do resumo da análise que é retornada quando você usa o tipo de mídia padrão. A resposta também inclui dados adicionais como as propriedades `github/alertNumber` e `github/alertUrl`. Os dados estão formatados como [SARIF versão 2.1.0](https://docs.oasis-open.org/sarif/sarif/v2.1.0/cs01/sarif-v2.1.0-cs01.html).
Para obter mais informações, consulte "[Tipos de mídia](/rest/overview/media-types)".
-{% endif %}
diff --git a/translations/pt-BR/content/rest/deployments/environments.md b/translations/pt-BR/content/rest/deployments/environments.md
index c27f83d852..73e14c4500 100644
--- a/translations/pt-BR/content/rest/deployments/environments.md
+++ b/translations/pt-BR/content/rest/deployments/environments.md
@@ -5,7 +5,7 @@ shortTitle: Ambientes
intro: 'A API de ambiente de implantação permite que você crie, configure e exclua ambientes de implantação.'
versions:
fpt: '*'
- ghes: '>=3.2'
+ ghes: '*'
ghae: '*'
ghec: '*'
topics:
diff --git a/translations/pt-BR/content/rest/enterprise-admin/index.md b/translations/pt-BR/content/rest/enterprise-admin/index.md
index 2845bef7e0..4221451d7a 100644
--- a/translations/pt-BR/content/rest/enterprise-admin/index.md
+++ b/translations/pt-BR/content/rest/enterprise-admin/index.md
@@ -79,4 +79,4 @@ The current version of your enterprise is returned in the response header of eve
`X-GitHub-Enterprise-Version: {{currentVersion}}.0`
You can also read the current version by calling the [meta endpoint](/rest/reference/meta/).
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/content/rest/guides/getting-started-with-the-rest-api.md b/translations/pt-BR/content/rest/guides/getting-started-with-the-rest-api.md
index 1cf9a3cc17..f3251b4f75 100644
--- a/translations/pt-BR/content/rest/guides/getting-started-with-the-rest-api.md
+++ b/translations/pt-BR/content/rest/guides/getting-started-with-the-rest-api.md
@@ -131,13 +131,11 @@ Ao efetuar a autenticação, você deverá ver seu limite de taxa disparado para
Você pode facilmente [criar um **token de acesso pessoal**][personal token] usando a sua [página de configurações de tokens de acesso pessoal][tokens settings]:
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
{% warning %}
Para ajudar a manter suas informações seguras, é altamente recomendável definir um vencimento para seus tokens de acesso pessoal.
{% endwarning %}
-{% endif %}
{% ifversion fpt or ghes or ghec %}

@@ -147,9 +145,7 @@ Para ajudar a manter suas informações seguras, é altamente recomendável defi

{% endif %}
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
As solicitações da API que usam um token de acesso pessoal vencido retornará a data de validade do token por meio do cabeçalho `GitHub-Authentication-Token-Expiration`. Você pode usar o cabeçalho nos seus scripts para fornecer uma mensagem de aviso quando o token estiver próximo da data de vencimento.
-{% endif %}
### Obtenha seu próprio perfil de usuário
@@ -200,7 +196,7 @@ $ curl -i {% data variables.product.api_url_pre %}/repos/twbs/bootstrap
Da mesma forma, podemos [visualizar repositórios para o usuário autenticado][user repos api]:
```shell
-$ curl -i -H "Authorization: token {% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghp_16C7e42F292c6912E7710c838347Ae178B4a{% else %}5199831f4dd3b79e7c5b7e0ebe75d67aa66e79d4{% endif %}" \
+$ curl -i -H "Authorization: token ghp_16C7e42F292c6912E7710c838347Ae178B4a" \
{% data variables.product.api_url_pre %}/user/repos
```
@@ -238,7 +234,7 @@ Buscar informações para repositórios existentes é um caso de uso comum, mas
precisamos `POST` alguns JSON que contém informações e opções de configuração.
```shell
-$ curl -i -H "Authorization: token {% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghp_16C7e42F292c6912E7710c838347Ae178B4a{% else %}5199831f4dd3b79e7c5b7e0ebe75d67aa66e79d4{% endif %}" \
+$ curl -i -H "Authorization: token ghp_16C7e42F292c6912E7710c838347Ae178B4a" \
-d '{
"name": "blog",
"auto_init": true,
@@ -273,7 +269,7 @@ A interface de usuário para problemas no {% data variables.product.product_name
Assim como o github.com, a API fornece alguns métodos para exibir problemas para o usuário autenticado. Para [ver todos os seus problemas][get issues api], chame `GET /issues`:
```shell
-$ curl -i -H "Authorization: token {% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghp_16C7e42F292c6912E7710c838347Ae178B4a{% else %}5199831f4dd3b79e7c5b7e0ebe75d67aa66e79d4{% endif %}" \
+$ curl -i -H "Authorization: token ghp_16C7e42F292c6912E7710c838347Ae178B4a" \
{% data variables.product.api_url_pre %}/issues
```
@@ -281,7 +277,7 @@ Para obter apenas os [problemas sob uma das suas organizações de {% data varia
/orgs//issues`:
```shell
-$ curl -i -H "Authorization: token {% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghp_16C7e42F292c6912E7710c838347Ae178B4a{% else %}5199831f4dd3b79e7c5b7e0ebe75d67aa66e79d4{% endif %}" \
+$ curl -i -H "Authorization: token ghp_16C7e42F292c6912E7710c838347Ae178B4a" \
{% data variables.product.api_url_pre %}/orgs/rails/issues
```
@@ -314,7 +310,7 @@ Agora que vimos como paginar listas de problemas, vamos [criar um problema][crea
Para criar um problema, precisamos estar autenticados. Portanto, passaremos um token do OAuth no cabeçalho. Além disso, passaremos o título, texto, e as etiquetas no texto do JSON para o caminho `/issues` abaixo do repositório em que queremos criar o problema:
```shell
-$ curl -i -H 'Authorization: token {% ifversion fpt or ghes > 3.1 or ghae or ghec %}ghp_16C7e42F292c6912E7710c838347Ae178B4a{% else %}5199831f4dd3b79e7c5b7e0ebe75d67aa66e79d4{% endif %}' \
+$ curl -i -H 'Authorization: token ghp_16C7e42F292c6912E7710c838347Ae178B4a' \
$ -d '{ \
$ "title": "New logo", \
$ "body": "We should have one", \
diff --git a/translations/pt-BR/content/rest/overview/permissions-required-for-github-apps.md b/translations/pt-BR/content/rest/overview/permissions-required-for-github-apps.md
index 7583077d8e..c266e388f2 100644
--- a/translations/pt-BR/content/rest/overview/permissions-required-for-github-apps.md
+++ b/translations/pt-BR/content/rest/overview/permissions-required-for-github-apps.md
@@ -885,7 +885,7 @@ _Equipes_
- [`DELETE /orgs/:org/dependabot/secrets/:secret_name`](/rest/reference/dependabot#delete-an-organization-secret) (:write)
{% endif %}
-{% ifversion ghes > 3.0 or ghec %}
+{% ifversion ghes or ghec %}
### Permissão em "alertas de varredura de segredo"
- [`GET /repos/:owner/:repo/secret-scanning/alerts`](/rest/reference/secret-scanning#list-secret-scanning-alerts-for-a-repository) (:read)
@@ -899,18 +899,18 @@ _Equipes_
- [`GET /repos/:owner/:repo/code-scanning/alerts`](/rest/reference/code-scanning#list-code-scanning-alerts-for-a-repository) (:read)
- [`GET /repos/:owner/:repo/code-scanning/alerts/:alert_number`](/rest/reference/code-scanning#get-a-code-scanning-alert) (:read)
- [`PATCH /repos/:owner/:repo/code-scanning/alerts/:alert_number`](/rest/reference/code-scanning#update-a-code-scanning-alert) (:write)
-{% ifversion fpt or ghec or ghes > 3.0 or ghae -%}
+{% ifversion fpt or ghec or ghes or ghae -%}
- [`GET /repos/:owner/:repo/code-scanning/alerts/:alert_number/instances`](/rest/reference/code-scanning#list-instances-of-a-code-scanning-alert) (:read)
{% endif -%}
- [`GET /repos/:owner/:repo/code-scanning/analyses`](/rest/reference/code-scanning#list-code-scanning-analyses-for-a-repository) (:read)
-{% ifversion fpt or ghec or ghes > 3.0 or ghae -%}
+{% ifversion fpt or ghec or ghes or ghae -%}
- [`GET /repos/:owner/:repo/code-scanning/analyses/:analysis_id`](/rest/reference/code-scanning#get-a-code-scanning-analysis-for-a-repository) (:read)
{% endif -%}
-{% ifversion fpt or ghec or ghes > 3.0 -%}
+{% ifversion fpt or ghec or ghes -%}
- [`DELETE /repos/:owner/:repo/code-scanning/analyses/:analysis_id`](/rest/reference/code-scanning#delete-a-code-scanning-analysis-from-a-repository) (:write)
{% endif -%}
- [`POST /repos/:owner/:repo/code-scanning/sarifs`](/rest/reference/code-scanning#upload-an-analysis-as-sarif-data) (:write)
-{% ifversion fpt or ghec or ghes > 3.0 or ghae -%}
+{% ifversion fpt or ghec or ghes or ghae -%}
- [`GET /repos/:owner/:repo/code-scanning/sarifs/:sarif_id`](/rest/reference/code-scanning#get-information-about-a-sarif-upload) (:read)
{% endif -%}
{% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5435 -%}
diff --git a/translations/pt-BR/content/rest/overview/resources-in-the-rest-api.md b/translations/pt-BR/content/rest/overview/resources-in-the-rest-api.md
index 65c453b5e9..a1761a4b35 100644
--- a/translations/pt-BR/content/rest/overview/resources-in-the-rest-api.md
+++ b/translations/pt-BR/content/rest/overview/resources-in-the-rest-api.md
@@ -88,7 +88,7 @@ Observação: O GitHub recomenda enviar tokens do OAuth usando o cabeçalho de a
{% endnote %}
-Leia [mais sobre o OAuth2](/apps/building-oauth-apps/). Note that OAuth2 tokens can be acquired using the [web application flow](/developers/apps/authorizing-oauth-apps#web-application-flow) for production applications.
+Leia [mais sobre o OAuth2](/apps/building-oauth-apps/). Observe que os tokens do OAuth2 podem ser adquiridos usando o [fluxo de aplicação web](/developers/apps/authorizing-oauth-apps#web-application-flow) para aplicativos de produção.
{% ifversion fpt or ghes or ghec %}
### OAuth2 key/secret
@@ -165,7 +165,7 @@ $ curl {% ifversion fpt or ghae or ghec %}
## IDs de nós globais do GraphQL
-Consulte o guia em "[Usar IDs do nó globais ]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids)" para obter informações detalhadas sobre como encontrar `node_id`s através da API REST e usá-los em operações do GraphQL.
+See the guide on "[Using Global Node IDs](/graphql/guides/using-global-node-ids)" for detailed information about how to find `node_id`s via the REST API and use them in GraphQL operations.
## Erros do cliente
@@ -222,7 +222,7 @@ Os recursos também podem enviar erros de validação personalizados (em que o `
## Redirecionamentos HTTP
-The {% data variables.product.product_name %} REST API uses HTTP redirection where appropriate. Os clientes devem assumir que qualquer solicitação pode resultar em redirecionamento. Receber um redirecionamento de HTTP *não* é um erro e os clientes devem seguir esse redirecionamento. As respostas de redirecionamento terão um campo do cabeçalho do tipo `Localização` que contém o URI do recurso ao qual o cliente deve repetir as solicitações.
+A API REST de {% data variables.product.product_name %} usa o redirecionamento de HTTP, quando apropriado. Os clientes devem assumir que qualquer solicitação pode resultar em redirecionamento. Receber um redirecionamento de HTTP *não* é um erro e os clientes devem seguir esse redirecionamento. As respostas de redirecionamento terão um campo do cabeçalho do tipo `Localização` que contém o URI do recurso ao qual o cliente deve repetir as solicitações.
| Código de status | Descrição |
| ---------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
@@ -233,7 +233,7 @@ Outros códigos de status de redirecionamento podem ser usados de acordo com a e
## Verbos HTTP
-Where possible, the {% data variables.product.product_name %} REST API strives to use appropriate HTTP verbs for each action.
+Sempre que possível, a API REST do {% data variables.product.product_name %} busca usar verbos HTTP apropriados para cada ação.
| Verbo | Descrição |
| -------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
@@ -620,9 +620,9 @@ Observe que essas regras se aplicam somente a dados passados para a API, não a
### Fornecer explicitamente uma marca de tempo ISO 8601 com informações de fuso horário
-Para chamadas de API que permitem que uma marca de tempo seja especificada, usamos essa marca de tempo exata. An example of this is the [Commits API](/rest/reference/git#commits).
+Para chamadas de API que permitem que uma marca de tempo seja especificada, usamos essa marca de tempo exata. Um exemplo disso é a [API de Commits](/rest/reference/git#commits).
-Essas marcas de tempo se parecem com `2014-02-27T15:05:06+01:00`. Also see [this example](/rest/reference/git#example-input) for how these timestamps can be specified.
+Essas marcas de tempo se parecem com `2014-02-27T15:05:06+01:00`. Veja também [este exemplo](/rest/reference/git#example-input) para saber como essas marcas de tempo podem ser especificadas.
### Usar o cabeçalho `Time-Zone`
@@ -632,7 +632,7 @@ Essas marcas de tempo se parecem com `2014-02-27T15:05:06+01:00`. Also see [this
$ curl -H "Time-Zone: Europe/Amsterdam" -X POST {% data variables.product.api_url_pre %}/repos/github/linguist/contents/new_file.md
```
-Isso significa que geramos uma marca de tempo no momento em que sua chamada de API é feita no fuso horário que este cabeçalho define. For example, the [Contents API](/rest/reference/repos#contents) generates a git commit for each addition or change and uses the current time as the timestamp. Este cabeçalho determinará o fuso horário usado para gerar essa marca de tempo atual.
+Isso significa que geramos uma marca de tempo no momento em que sua chamada de API é feita no fuso horário que este cabeçalho define. Por exemplo, o [API de Conteúdo](/rest/reference/repos#contents) gera um commit do git para cada adição ou alteração e usa a hora atual como marca de tempo. Este cabeçalho determinará o fuso horário usado para gerar essa marca de tempo atual.
### Usar o último fuso horário conhecido para o usuário
diff --git a/translations/pt-BR/content/rest/packages.md b/translations/pt-BR/content/rest/packages.md
index 2f6226abad..ac67d89165 100644
--- a/translations/pt-BR/content/rest/packages.md
+++ b/translations/pt-BR/content/rest/packages.md
@@ -13,7 +13,7 @@ redirect_from:
## Sobre a API do {% data variables.product.prodname_registry %}
-A API de {% data variables.product.prodname_registry %} permite que você gerencie pacotes usando a API REST.{% ifversion fpt or ghec or ghes > 3.1 or ghae %} Para saber mais sobre como restaurar ou excluir pacotes, consulte "[Restaurar e excluir pacotes](/packages/learn-github-packages/deleting-and-restoring-a-package)".{% endif %}
+A API de {% data variables.product.prodname_registry %} permite gerenciar pacotes usando a API REST. Para saber mais sobre como restaurar ou excluir pacotes, consulte "[Restaurar e excluir pacotes](/packages/learn-github-packages/deleting-and-restoring-a-package)"".
Para usar essa API, você deve efetuar a autenticação usando um token de acesso pessoal.
- Para acessar os metadados do pacote, seu token deve incluir o escopo `read:packages`.
diff --git a/translations/pt-BR/content/rest/rate-limit.md b/translations/pt-BR/content/rest/rate-limit.md
index 0feae62f1b..c56a9665fa 100644
--- a/translations/pt-BR/content/rest/rate-limit.md
+++ b/translations/pt-BR/content/rest/rate-limit.md
@@ -19,7 +19,7 @@ A documentação geral da API REST descreve as [regras de limite de taxa](/rest/
### Entender o seu status de limite de taxa
-A API de pesquisa tem um [limite de taxa personalizado](/rest/reference/search#rate-limit), separado do limite de taxa que rege o restante da API REST. A API do GraphQL também tem um [limite de taxa personalizado]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/overview/resource-limitations#rate-limit), que é separado e calculado de forma diferente dos limites de taxa na API REST.
+A API de pesquisa tem um [limite de taxa personalizado](/rest/reference/search#rate-limit), separado do limite de taxa que rege o restante da API REST. A API do GraphQL também tem um [limite de taxa personalizado](/graphql/overview/resource-limitations#rate-limit), que é separado e calculado de forma diferente dos limites de taxa na API REST.
Por esses motivos, a resposta da API do limite de taxa categoriza o seu limite de taxa. Em `recursos`, você verá quatro objetos:
@@ -27,7 +27,7 @@ Por esses motivos, a resposta da API do limite de taxa categoriza o seu limite d
* O objeto `de pesquisa` fornece o status do limite de taxa para a [API de pesquisa](/rest/reference/search).
-* O objeto `graphql` fornece o status do limite de taxa para a [API do GraphQL]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql).
+* O objeto `graphql` fornece o status do limite de taxa para a [API do GraphQL](/graphql).
* O objeto `integration_manifest` fornece o status do limite de taxa para o ponto de extremidade [Conversão do código de manifesto do aplicativo GitHub](/apps/building-github-apps/creating-github-apps-from-a-manifest/#3-you-exchange-the-temporary-code-to-retrieve-the-app-configuration).
diff --git a/translations/pt-BR/content/rest/secret-scanning.md b/translations/pt-BR/content/rest/secret-scanning.md
index 78f7df52ee..1c58cf5cae 100644
--- a/translations/pt-BR/content/rest/secret-scanning.md
+++ b/translations/pt-BR/content/rest/secret-scanning.md
@@ -16,10 +16,9 @@ redirect_from:
## Sobre a API de digitalização de segredo
-A API de {% data variables.product.prodname_secret_scanning %} permite que você{% ifversion fpt or ghec or ghes > 3.1 or ghae %}:
+A API de {% data variables.product.prodname_secret_scanning %} permite que você:
- Habilite ou desabilite {% data variables.product.prodname_secret_scanning %}{% ifversion secret-scanning-push-protection %} e faça push da proteção{% endif %} para um repositório. Para obter mais informações, consulte "[Repositórios](/rest/repos/repos#update-a-repository)" e expanda as "Propriedades do objeto `security_and_analysis` " na documentação da API REST.
- Recuperar e atualizar alertas de {% data variables.product.prodname_secret_scanning_GHAS %} a partir de um repositório. Para obter detalhes adicionais, consulte as seções abaixo.
-{%- else %} recuperar e atualizar alertas de {% data variables.product.prodname_secret_scanning %} de um repositório.{% endif %}
Para obter mais informações sobre {% data variables.product.prodname_secret_scanning %}, consulte "[Sobre {% data variables.product.prodname_secret_scanning %}](/code-security/secret-security/about-secret-scanning)."
diff --git a/translations/pt-BR/content/rest/webhooks/index.md b/translations/pt-BR/content/rest/webhooks/index.md
index ee9f40a524..12d70969a4 100644
--- a/translations/pt-BR/content/rest/webhooks/index.md
+++ b/translations/pt-BR/content/rest/webhooks/index.md
@@ -70,9 +70,9 @@ Solicitações do PubSubHubbub podem ser enviadas várias vezes. Se o hook já e
#### Parâmetros
-| Nome | Tipo | Descrição |
-| -------------- | -------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ |
-| `hub.mode` | `string` | **Obrigatório**. `Assine` ou `cancele a assinatura`. |
-| `hub.topic` | `string` | **Obrigatório**. A URI do repositório do GitHub a ser assinada. O caminho deve estar no formato `/{owner}/{repo}/events/{event}`. |
-| `hub.callback` | `string` | A URI para receber as atualizações do tópico. |
-| `hub.secret` | `string` | Uma chave de segredo compartilhado que gera uma assinatura de hash do conteúdo de saída do texto. Você pode verificar se um push veio do GitHub comparando o texto da solicitação sem processar com o conteúdo dos cabeçalho do {% ifversion fpt or ghes > 3.0 or ghec %}`X-Hub-Signature` ou `X-Hub-Signature-256` {% elsif ghes < 3.0 %}`X-Hub-Signature` {% elsif ghae %}cabeçalho `X-Hub-Signature-256` {% endif %}. Você pode ver [a documentação do PubSubHubbub](https://pubsubhubbub.github.io/PubSubHubbub/pubsubhubbub-core-0.4.html#authednotify) para obter mais informações. |
+| Nome | Tipo | Descrição |
+| -------------- | -------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| `hub.mode` | `string` | **Obrigatório**. `Assine` ou `cancele a assinatura`. |
+| `hub.topic` | `string` | **Obrigatório**. A URI do repositório do GitHub a ser assinada. O caminho deve estar no formato `/{owner}/{repo}/events/{event}`. |
+| `hub.callback` | `string` | A URI para receber as atualizações do tópico. |
+| `hub.secret` | `string` | Uma chave de segredo compartilhado que gera uma assinatura de hash do conteúdo de saída do texto. You can verify a push came from GitHub by comparing the raw request body with the contents of the {% ifversion fpt or ghes or ghec %}`X-Hub-Signature` or `X-Hub-Signature-256` headers{% elsif ghae %}`X-Hub-Signature-256` header{% endif %}. Você pode ver [a documentação do PubSubHubbub](https://pubsubhubbub.github.io/PubSubHubbub/pubsubhubbub-core-0.4.html#authednotify) para obter mais informações. |
diff --git a/translations/pt-BR/content/rest/webhooks/repo-deliveries.md b/translations/pt-BR/content/rest/webhooks/repo-deliveries.md
index 99c57df128..79bff65327 100644
--- a/translations/pt-BR/content/rest/webhooks/repo-deliveries.md
+++ b/translations/pt-BR/content/rest/webhooks/repo-deliveries.md
@@ -3,7 +3,7 @@ title: Entregas do webhook do repositório
intro: ''
versions:
fpt: '*'
- ghes: '>=3.2'
+ ghes: '*'
ghae: '*'
ghec: '*'
topics:
diff --git a/translations/pt-BR/content/site-policy/acceptable-use-policies/github-acceptable-use-policies.md b/translations/pt-BR/content/site-policy/acceptable-use-policies/github-acceptable-use-policies.md
index 395ac93de0..97a94607c6 100644
--- a/translations/pt-BR/content/site-policy/acceptable-use-policies/github-acceptable-use-policies.md
+++ b/translations/pt-BR/content/site-policy/acceptable-use-policies/github-acceptable-use-policies.md
@@ -81,7 +81,7 @@ Você pode usar as informações do nosso Serviço pelos motivos a seguir, indep
Scraping refere-se à extração de informações do nosso Serviço por meio de um processo automatizado, como um bot ou webcrawler. Scraping não se refere à coleta de informações por meio de nossa API. Por favor, consulte a Seção H de nossos [Termos de Serviço](/articles/github-terms-of-service#h-api-terms) para nossos Termos da API.
-You may not use information from the Service (whether scraped, collected through our API, or obtained otherwise) for spamming purposes, including for the purposes of sending unsolicited emails to users or selling personal information, such as to recruiters, headhunters, and job boards.
+Você não pode usar as informações do Serviço (seja por meio de raspagem, coletadas por nossa API ou obtidas de outra forma) para fins de spam ou e-mails não solicitados, incluindo para fins de envio de e-mails não solicitados para os usuários ou venda de informações pessoais, como recrutadores, headhunters e portais de trabalho.
Seu uso de informações do Serviço deve estar em conformidade com a [Declaração de Privacidade do GitHub](/github/site-policy/github-privacy-statement).
diff --git a/translations/pt-BR/content/site-policy/github-terms/github-terms-of-service.md b/translations/pt-BR/content/site-policy/github-terms/github-terms-of-service.md
index cee61111ce..0404a99093 100644
--- a/translations/pt-BR/content/site-policy/github-terms/github-terms-of-service.md
+++ b/translations/pt-BR/content/site-policy/github-terms/github-terms-of-service.md
@@ -46,7 +46,7 @@ Data de vigência: 16 de novembro de 2020
## A. Definições
**Versão reduzida:** *Nós usamos esses termos básicos em todo o contrato, e eles têm significados específicos. Você deve saber o que queremos dizer quando usamos cada um dos termos. Não vamos aplicar um teste sobre isso, mas ainda assim, são informações úteis.*
-1. Uma "Conta" representa seu vínculo legal com o GitHub. A “Personal Account” represents an individual User’s authorization to log in to and use the Service and serves as a User’s identity on GitHub. “Organizações” são espaços de trabalho compartilhados que podem estar associados a uma única entidade ou a um ou mais Usuários em que vários Usuários podem colaborar em vários projetos de uma só vez. A Personal Account can be a member of any number of Organizations.
+1. Uma "Conta" representa seu vínculo legal com o GitHub. Uma "Conta pessoal" representa uma autorização individual de Usuário para efetuar o login e usar o Serviço e serve como identidade do Usuário no GitHub. “Organizações” são espaços de trabalho compartilhados que podem estar associados a uma única entidade ou a um ou mais Usuários em que vários Usuários podem colaborar em vários projetos de uma só vez. Uma Conta pessoal pode ser um integrante de um número qualquer de Organizações.
2. O "Contrato" refere-se, coletivamente, a todos os termos, condições, avisos contidos ou referenciados neste documento (os “Termos de Serviço” ou os "Termos") e todas as outras regras operacionais, políticas (incluindo a Declaração de Privacidade do GitHub, disponível em [github.com/site/privacy](https://github.com/site/privacy)) e procedimentos que podemos publicar de vez em quando no Site. A maioria das nossas políticas de site está disponível em [docs.github.com/categories/site-policy](/categories/site-policy).
3. "Visualizações Beta" significa software, serviços ou recursos identificados como alfa, beta, visualização, acesso antecipado ou avaliação, ou palavras e frases com significados semelhantes.
4. "Conteúdo" refere-se ao conteúdo em destaque ou exibido através do Site, incluindo sem código de limitação, texto, dados, artigos, imagens, fotografias, gráficos, software, aplicativos, pacotes, designs, recursos e outros materiais que estão disponíveis no Site ou disponíveis através do Serviço. "Conteúdo" também inclui Serviços. O "Conteúdo Gerado pelo Usuário" é Conteúdo, escrito ou não, criado ou carregado pelos nossos Usuários. "Seu conteúdo" é o Conteúdo que você cria ou possui.
@@ -56,23 +56,23 @@ Data de vigência: 16 de novembro de 2020
8. O "Site" refere-se ao site do GitHub localizado em [github.com](https://github.com/) e todo o conteúdo, serviços e produtos fornecidos pelo GitHub no ou através do Site. Ele também se refere a subdomínios do GitHub, do github.com, como [education.github.com](https://education.github.com/) e [pages.github.com](https://pages.github.com/). Estes Termos também regem os sites de conferência do GitHub, como [githubuniverse.com](https://githubuniverse.com/) e sites de produtos, como [atom.io](https://atom.io/). Ocasionalmente, sites pertencentes ao GitHub podem fornecer termos de serviço diferentes ou adicionais. Se esses termos adicionais entram em conflito com este Contrato, os termos mais específicos se aplicam à página ou serviço relevante.
## B. Termos da conta
-**Short version:** *Personal Accounts and Organizations have different administrative controls; a human must create your Account; you must be 13 or over; you must provide a valid email address; and you may not have more than one free Account. Você é o único responsável por sua Conta e tudo o que acontece enquanto você estiver logado ou usando sua Conta. Você é responsável por manter sua Conta segura.*
+**Versão curta:** *Contas pessoais e de organização têm controles administrativos diferentes; uma pessoa precisa criar sua Conta; você deve ter 13 anos ou mais; deve fornecer um endereço de e-mail válido e não pode ter mais de uma conta grátis. Você é o único responsável por sua Conta e tudo o que acontece enquanto você estiver logado ou usando sua Conta. Você é responsável por manter sua Conta segura.*
### 1. Controles da conta
-- Usuários. Subject to these Terms, you retain ultimate administrative control over your Personal Account and the Content within it.
+- Usuários. Sujeito a estes Termos, você mantém o controle administrativo final sobre sua Conta pessoal e o Conteúdo dentro dela.
-- Organizações. O "proprietário" de uma Organização que foi criada sob estes Termos tem o controle administrativo supremo sobre essa Organização e sobre o Conteúdo dentro dela. No Serviço, um proprietário pode gerenciar acesso de Usuário aos dados e projetos da Organização. An Organization may have multiple owners, but there must be at least one Personal Account designated as an owner of an Organization. Se você é o proprietário de uma Organização sob estes Termos, nós consideramos que você é responsável pelas ações que são executadas naquela Organização ou através dela.
+- Organizações. O "proprietário" de uma Organização que foi criada sob estes Termos tem o controle administrativo supremo sobre essa Organização e sobre o Conteúdo dentro dela. No Serviço, um proprietário pode gerenciar acesso de Usuário aos dados e projetos da Organização. Uma Organização pode ter vários proprietários, mas deve haver pelo menos uma Conta pessoal designada como proprietário de uma Organização. Se você é o proprietário de uma Organização sob estes Termos, nós consideramos que você é responsável pelas ações que são executadas naquela Organização ou através dela.
### 2. Informações obrigatórias
Você deve fornecer um endereço de e-mail válido para concluir o processo de inscrição. Qualquer outra informação solicitada, como seu nome real, é opcional, a menos que você esteja aceitando estes termos em nome de uma entidade legal (caso em que precisamos de mais informações sobre a entidade legal) ou se você optar por uma [Conta paga](#k-payment), nesse caso, serão necessárias informações adicionais para fins de faturamento.
### 3. Requisitos da conta
-We have a few simple rules for Personal Accounts on GitHub's Service.
+Temos algumas regras simples para Contas pessoais no Serviço do GitHub.
- Você deve ser uma pessoa para criar uma Conta. Contas registradas por "bots" ou outros métodos automatizados não são permitidas. Nós permitimos contas de máquina:
-- Conta de máquina significa uma Conta registrada por um indivíduo que aceita os Termos aplicáveis à Conta, fornece um endereço de e-mail válido e é responsável por suas ações. Uma conta de máquina é usada exclusivamente para executar tarefas automatizadas. Múltiplos usuários podem direcionar as ações de uma conta de máquina, mas o proprietário da Conta é, em última análise, responsável pelas ações da máquina. You may maintain no more than one free machine account in addition to your free Personal Account.
+- Conta de máquina significa uma Conta registrada por um indivíduo que aceita os Termos aplicáveis à Conta, fornece um endereço de e-mail válido e é responsável por suas ações. Uma conta de máquina é usada exclusivamente para executar tarefas automatizadas. Múltiplos usuários podem direcionar as ações de uma conta de máquina, mas o proprietário da Conta é, em última análise, responsável pelas ações da máquina. Você pode manter não mais de uma conta gratuita de máquina, além de sua Conta pessoal grátis.
- Uma pessoa ou entidade legal não pode manter mais de uma Conta gratuita (se você optar por controlar uma conta de máquina também, sem problemas, mas só pode ser usada para executar uma máquina).
- Você deve ter 13 anos ou mais. Embora nos sintamos felizes ao vermos os brilhantes codificadores se entusiasmarem ao aprender a programar, temos de cumprir a legislação dos Estados Unidos. O GitHub não direciona nosso Serviço para crianças com menos de 13 anos, e nós não permitimos quaisquer Usuários com menos de 13 anos no nosso Serviço. Se soubermos de qualquer Usuário menor de 13 anos, vamos [encerrar a Conta de Usuário imediatamente](#l-cancellation-and-termination). Se você for residente de um país fora dos Estados Unidos, a idade mínima do seu país pode ser maior; num caso destes, você é responsável por cumprir as leis do seu país.
-- Seu login pode ser usado apenas por uma pessoa — ou seja, um único login não pode ser compartilhado por várias pessoas. A paid Organization may only provide access to as many Personal Accounts as your subscription allows.
+- Seu login pode ser usado apenas por uma pessoa — ou seja, um único login não pode ser compartilhado por várias pessoas. Uma organização paga só pode fornecer acesso ao número de Contas pessoais que sua assinatura permite.
- Você não pode usar o GitHub em violação do controle de exportação ou das leis de sanções dos Estados Unidos ou de qualquer outra jurisdição aplicável. Você não pode usar o GitHub se você é ou está trabalhando em nome de um [Nacional Especialmente Designado (SDN)](https://www.treasury.gov/resource-center/sanctions/SDN-List/Pages/default.aspx) ou uma pessoa sujeita a bloqueios semelhantes ou proibições de parte negada administradas por uma agência do governo dos EUA. agência do governo. O GitHub pode permitir que pessoas em certos países ou territórios sancionados acessem certos serviços do GitHub de acordo com as autorizações do governo dos Estados Unidos. autorizações do governo. Para obter mais informações, por favor veja nossa [política de Controles de Exportação](/articles/github-and-export-controls).
### 4. Segurança da conta
diff --git a/translations/pt-BR/content/site-policy/privacy-policies/github-privacy-statement.md b/translations/pt-BR/content/site-policy/privacy-policies/github-privacy-statement.md
index fffa3af44e..b9dc9f79de 100644
--- a/translations/pt-BR/content/site-policy/privacy-policies/github-privacy-statement.md
+++ b/translations/pt-BR/content/site-policy/privacy-policies/github-privacy-statement.md
@@ -198,45 +198,45 @@ Observe que você não pode deixar de receber nossas comunicações importantes,
Se o processamento de dados pessoais sobre você estiver sujeito à lei de proteção de dados da União Europeia, você tem certos direitos no que diz respeito a esses dados:
-You can request access to, and rectification or erasure of, Personal Data; If any automated processing of Personal Data is based on your consent or a contract with you, you have a right to transfer or receive a copy of the Personal Data in a usable and portable format; If the processing of Personal Data is based on your consent, you can withdraw consent at any time for future processing; You can to object to, or obtain a restriction of, the processing of Personal Data under certain circumstances; and For residents of France, you can send us specific instructions regarding the use of your data after your death.
+Você pode solicitar acesso e retificar ou apagar os Dados Pessoais; Se algum processamento automático de Dados Pessoais tiver por base o seu consentimento ou um contrato firmado por você, você tem o direito de transferir ou receber uma cópia dos Dados Pessoais em um formato utilizável e portátil; Se o processamento de Dados Pessoais tiver por base o seu consentimento, você pode retirar o consentimento a qualquer momento para processamento posterior; Você pode contestar ou obter uma restrição do processamento de Dados Pessoais em certas circunstâncias; e As pessoas que residem na França podem nos enviar instruções específicas sobre a utilização dos seus dados após o falecimento.
Para fazer esses pedidos, use as informações de contato na parte inferior dessa declaração. Ao processar dados em nome de outra parte (ou seja, quando o GitHub atua como um processador de dados) você deverá direcionar sua solicitação para essa parte. Tem também o direito de apresentar uma reclamação junto à uma autoridade supervisora. No entanto, incentivamos você a primeiro entrar em contato conosco em caso de dúvidas.
Confiamos em diferentes bases legais para coletar e processar os seus dados pessoais, por exemplo, com seu consentimento e/ou conforme necessário para fornecer os serviços que você usa, operar nossos negócios, cumprir nossas obrigações contratuais e legais, proteger a segurança de nossos sistemas e nossos clientes ou cumprir outros interesses legítimos.
-## Our use of cookies and tracking technologies
+## Nosso uso de cookies e tecnologias de rastreamento
-### Cookies and tracking technologies
+### Cookies e tecnologias de rastreamento
-GitHub uses cookies to provide, secure and improve our Service or to develop new features and functionality of our Service. For example, we use them to keep you logged in, remember your preferences, identify your device for security purposes, compile statistical reports, and provide information for future development of GitHub. We use our own cookies and do not use any third-party service providers in this context. If you disable your browser or device’s ability to accept these cookies, you will not be able to log in or use our Service. Fornecemos mais informações sobre [cookies no GitHub](/github/site-policy/github-subprocessors-and-cookies#cookies-on-github) na nossa página [Subprocessadores e Cookies do GitHub](/github/site-policy/github-subprocessors-and-cookies) que descreve os cookies que definimos, a necessidade que temos para esses cookies e a expiração desses cookies.
+O GitHub usa cookies para prestar, proteger e melhorar nosso serviço ou para desenvolver novos recursos e funcionalidades do nosso Serviço. Por exemplo, nós os usamos para manter você conectado, lembrar as suas preferências, identificar o seu dispositivo para fins de segurança, compilar relatórios estatísticos e fornecer informações para o desenvolvimento futuro do GitHub. Usamos nossos próprios cookies e não usamos prestadores de serviços de terceiros nesse contexto. Se você desabilitar o navegador ou a capacidade de o dispositivo de aceitar esses cookies, você não poderá efetuar o login nem usar nosso serviço. Fornecemos mais informações sobre [cookies no GitHub](/github/site-policy/github-subprocessors-and-cookies#cookies-on-github) na nossa página [Subprocessadores e Cookies do GitHub](/github/site-policy/github-subprocessors-and-cookies) que descreve os cookies que definimos, a necessidade que temos para esses cookies e a expiração desses cookies.
-Our emails to users may contain a pixel tag, which is a small, clear image that can tell us whether or not you have opened an email and what your IP address is. We use this pixel tag to make our email communications more effective and to make sure we are not sending you unwanted email.
+Nossos e-mails enviados para os usuários podem conter uma tag de pixel, isto é, uma imagem pequena que pode nos mostrar se você abriu uma mensagem e nos informar o seu endereço IP. Usamos essa tag de pixel para tornar a comunicação com nosso e-mail mais eficaz e garantir que não estamos enviando e-mails indesejados para você.
### DNT
"[Não rastrear](https://www.eff.org/issues/do-not-track)" (DNT) é uma preferência de privacidade que você pode definir no seu navegador se não quiser que os serviços on-line coletem e compartilhem certos tipos de informações sobre a sua atividade on-line de serviços de rastreamento de terceiros. O GitHub responde aos sinais de DNT dos navegadores e segue o [padrão do W3C de resposta aos sinais de DNT](https://www.w3.org/TR/tracking-dnt/). Se você deseja configurar seu navegador para sinalizar que não gostaria de ser rastreado, verifique a documentação do seu navegador para saber como habilitar essa sinalização. Há também bons aplicativos que bloqueiam o rastreamento on-line, como [Badger de Privacidade](https://privacybadger.org/).
-## Retention of Personal Data
-We retain Personal Data for as long as necessary to provide the services and fulfill the transactions you have requested, comply with our legal obligations, resolve disputes, enforce our agreements, and other legitimate and lawful business purposes. Because these needs can vary for different data types in the context of different services, actual retention periods can vary significantly based on criteria such as user expectations or consent, the sensitivity of the data, the availability of automated controls that enable users to delete data, and our legal or contractual obligations. For example, we may retain your Personal Data for longer periods, where necessary, subject to applicable law, for security purposes.
+## Retenção de Dados Pessoais
+Nós mantemos os dados pessoais pelo tempo necessário para prestar os serviços e realizar as transações solicitadas, cumprir nossas obrigações legais, resolver disputas, aplicar os nossos contratos e outros fins comerciais legítimos e lícitos. Uma vez que estas necessidades podem variar de acordo com diferentes tipos de dados no contexto de diferentes serviços, os períodos de retenção reais podem variar significativamente com base em critérios, como expectativas do usuário ou consentimento, a sensibilidade dos dados, a disponibilidade de controles automatizados que permitem aos usuários excluir dados e nossas obrigações legais ou contratuais. Por exemplo, podemos manter seus dados pessoais por períodos mais longos, quando necessário, sujeitos à lei aplicável, para fins de segurança.
## Como o GitHub protege suas informações
-GitHub takes reasonable measures necessary to protect your Personal Data from unauthorized access, alteration, or destruction; maintain data accuracy; and help ensure the appropriate use of your Personal Data. To help us protect personal data, we request that you use a strong password and never share your password with anyone or use the same password with other sites or accounts.
+O GitHub toma medidas razoáveis para proteger seus dados pessoais contra o acesso não autorizado, alteração ou destruição; manter a precisão dos dados; e ajudar a garantir o uso apropriado dos seus Dados Pessoais. Para nos ajudar a proteger os dados pessoais, pedimos que você use uma senha forte e nunca a compartilhe com ninguém e não use a mesma senha com outros sites ou contas.
-In addition, if your account has private repositories, you control the access to that Content. GitHub personnel does not access private repository content except for
-- security purposes,
-- automated scanning for known vulnerabilities, active malware, or other content known to violate our Terms of Service
+Além disso, se sua conta tiver repositórios privados, você irá controlar o acesso a esse Conteúdo. A equipe do GitHub não tem acesso ao conteúdo privado do repositório, exceto para
+- fins de segurança,
+- digitalização automatizada de vulnerabilidades conhecidas, malware ativo ou outro conteúdo conhecido por violar nossos Termos de Serviço
- para auxiliar o proprietário do repositório com uma questão de suporte
- para manter a integridade do Serviço
-- to comply with our legal obligations if we have reason to believe the contents are in violation of the law,
-- or with your consent.
+- para cumprir as nossas obrigações legais, se tivermos motivos para acreditar que os conteúdos violam a lei,
+- ou com o seu consentimento.
-Github will provide notice regarding private repository access where not prohibited by law or if in response to a security threat or other risk to security.
+O Github fornecerá notificação sobre o acesso ao repositório privado onde não seja proibido por lei ou se em resposta a uma ameaça à segurança ou outro risco à segurança.
### Transferência internacional de dados
-GitHub processes Personal Data both inside and outside of the United States and relies on legal mechanisms such as Standard Contractual Clauses to lawfully transfer data from the European Economic Area, the United Kingdom, and Switzerland to the United States. You may request a copy of the Standard Contractual Clauses using the contact details provided in the section entitled “Contacting GitHub” below.
+O GitHub processa dados pessoais dentro e fora dos Estados Unidos e depende de mecanismos legais como as Cláusulas Contratuais Padrão para transferir dados do Espaço Econômico Europeu, legalmente, do Reino Unido e da Suíça aos Estados Unidos. Você pode solicitar uma cópia das Cláusulas Contratuais Padrão usando os detalhes de contato fornecidos na seção intitulada "Entrando em contato com o GitHub" abaixo.
### Resolução de conflitos
-If you have concerns about the way GitHub is handling your Personal Data, please let us know immediately. Estamos à sua disposição para ajudar no que for necessário. Entre em contato conosco preenchendo o [formulário de contato de Privacidade](https://support.github.com/contact/privacy). You may also email us directly at **(privacy [at] github [dot] com)** with the subject line "Privacy Concerns." Responderemos sua solicitação o quanto antes, no máximo em 45 dias.
+Se você estiver preocupado com a forma como o GitHub está processando os seus Dados Pessoais, avise-nos imediatamente. Estamos à sua disposição para ajudar no que for necessário. Entre em contato conosco preenchendo o [formulário de contato de Privacidade](https://support.github.com/contact/privacy). Você também pode nos enviar um e-mail diretamente para **(privacy [at] github [dot] com)** com o assunto "Problemas de privacidade." Responderemos sua solicitação o quanto antes, no máximo em 45 dias.
Você também pode entrar em contato diretamente com o nosso Departamento de Proteção de Dados.
@@ -274,22 +274,22 @@ Clique aqui para consultar a versão em francês: [Déclaration de confidentiali
Para traduções desta declaração para outros idiomas, acesse [https://docs.github.com/](/) e selecione um idioma no menu suspenso abaixo de "Inglês".
-## GitHub's notice to California residents
+## Aviso do GitHub aos residentes da Califórnia
A [Lei de Privacidade do Consumidor da Califórnia](https://leginfo.legislature.ca.gov/faces/billCompareClient.xhtml?bill_id=201720180AB375) de 2018, (Cal. Civ. Código §1798.100 et seq., conforme alterado, "CCPA") dá aos residentes da Califórnia direitos e controle sobre suas informações pessoais. GitHub, Inc. ("GitHub", "nós") fornece esta declaração aos residentes ("você") de acordo com os requisitos da CCPA para fazer certas divulgações sobre a coleta e o processamento de suas informações pessoais. Esta é a descrição específica do GitHub dos direitos de privacidade dos consumidores para a Califórnia, sob a CCPA. Para obter informações sobre como estendemos os direitos fundamentais da CCPA para controle de informações pessoais a todos os nossos usuários nos Estados Unidos, consulte nossa [Declaração de Privacidade](/github/site-policy/github-privacy-statement).
-### Our handling of personal information
-While the table below contains information about the categories of personal information we collect, process, and share, please see the [GitHub Privacy Statement](/github/site-policy/github-privacy-statement) for full details.
+### Nosso manuseio de informações pessoais
+Embora a tabela abaixo contenha informações sobre as categorias de informações pessoais que coletamos, processamos e compartilhamos, consulte a [Declaração de Privacidade do GitHub](/github/site-policy/github-privacy-statement) para obter informações completas.
-| Categoria de informações pessoais coletadas nos últimos 12 meses | Categoria de fontes das quais as informações pessoais foram coletadas |
-| ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| Identificadores (como nome real, pseudônimo, endereço postal, identificador pessoal exclusivo, endereço do Protocolo da Internet do identificador on-line, endereço de e-mail, nome da conta ou outros identificadores semelhantes) | Information consumer provides directly or automatically through their interaction with our Service and/or Website or GitHub’s vendors, partners, or affiliates |
-| Personal information described in Cal. Civ. Code §1798.80 (e) such as name, address, credit card or debit card number) | Information consumer may choose to provide directly, through service providers |
-| Characteristics of protected classifications under California or federal law (such as gender) | Informações que o consumidor pode optar por fornecer diretamente |
-| Informações comerciais (tais como informações sobre produtos ou serviços comprados, obtidos ou tomados, ou outros históricos ou tendências de compra ou consumo) | Informação que o consumidor fornece direta ou automaticamente através da interação com os nossos Serviços |
-| Geolocation data (such as any information collected after giving users the opportunity to opt-in to location-based services, which rely upon a device’s precise location services. ) | Information consumer provides automatically through their interaction with our Services |
-| Audio, electronic, visual, or similar information such as content and files uploaded to the Service. | Informações que o consumidor pode optar por fornecer diretamente |
-| Professional or employment information | Informações que o consumidor pode optar por fornecer diretamente |
-| Inferences drawn from any of the information identified in this table to create a profile about a consumer reflecting the consumer’s preferences | Informação que o consumidor fornece direta ou automaticamente através da interação com os nossos Serviços |
+| Categoria de informações pessoais coletadas nos últimos 12 meses | Categoria de fontes das quais as informações pessoais foram coletadas |
+| ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------ |
+| Identificadores (como nome real, pseudônimo, endereço postal, identificador pessoal exclusivo, endereço do Protocolo da Internet do identificador on-line, endereço de e-mail, nome da conta ou outros identificadores semelhantes) | Informações que o consumidor fornece, direta ou automaticamente, por meio da sua interação com nosso serviço e/ou site ou fornecedores do GitHub, parceiros ou afiliados |
+| Personal information described in Cal. Civ. Code §1798.80 (e) such as name, address, credit card or debit card number) | Information consumer may choose to provide directly, through service providers |
+| Characteristics of protected classifications under California or federal law (such as gender) | Informações que o consumidor pode optar por fornecer diretamente |
+| Informações comerciais (tais como informações sobre produtos ou serviços comprados, obtidos ou tomados, ou outros históricos ou tendências de compra ou consumo) | Informação que o consumidor fornece direta ou automaticamente através da interação com os nossos Serviços |
+| Geolocation data (such as any information collected after giving users the opportunity to opt-in to location-based services, which rely upon a device’s precise location services. ) | Information consumer provides automatically through their interaction with our Services |
+| Audio, electronic, visual, or similar information such as content and files uploaded to the Service. | Informações que o consumidor pode optar por fornecer diretamente |
+| Professional or employment information | Informações que o consumidor pode optar por fornecer diretamente |
+| Inferences drawn from any of the information identified in this table to create a profile about a consumer reflecting the consumer’s preferences | Informação que o consumidor fornece direta ou automaticamente através da interação com os nossos Serviços |
We use the categories of personal information described above for the purposes listed in the [“How GitHub uses your information”](/github/site-policy/github-privacy-statement#how-github-uses-your-information) section of our Privacy Statement. We also disclose the categories of personal information listed above for business purposes. Please see the [“How we share the information we collect”](/github/site-policy/github-privacy-statement#how-we-share-the-information-we-collect) section of our Privacy Statement for additional details.
diff --git a/translations/pt-BR/content/sponsors/integrating-with-github-sponsors/getting-started-with-the-sponsors-graphql-api.md b/translations/pt-BR/content/sponsors/integrating-with-github-sponsors/getting-started-with-the-sponsors-graphql-api.md
index 49a768abe8..70d6a84956 100644
--- a/translations/pt-BR/content/sponsors/integrating-with-github-sponsors/getting-started-with-the-sponsors-graphql-api.md
+++ b/translations/pt-BR/content/sponsors/integrating-with-github-sponsors/getting-started-with-the-sponsors-graphql-api.md
@@ -11,6 +11,6 @@ topics:
shortTitle: API para GraphQL Sponsors
---
-Para começar com a API do GraphQL, consulte "[Introdução ao GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/introduction-to-graphql)".
+Para começar com a API do GraphQL, consulte "[Introdução ao GraphQL](/graphql/guides/introduction-to-graphql)".
-Você pode encontrar os detalhes sobre a API do GraphQL Sponsors na documentação de referência. Para obter mais informações, consulte " "[referência do GraphQL]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference)". Recomendamos usar o explorador GraphQL para criar suas chamadas do GraphQL. Para obter mais informações, consulte "[Usando o explorador]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-the-explorer).
+Você pode encontrar os detalhes sobre a API do GraphQL Sponsors na documentação de referência. Para obter mais informações, consulte " "[referência do GraphQL](/graphql/reference)". Recomendamos usar o explorador GraphQL para criar suas chamadas do GraphQL. Para obter mais informações, consulte "[Usando o explorador](/graphql/guides/using-the-explorer).
diff --git a/translations/pt-BR/content/support/contacting-github-support/viewing-and-updating-support-tickets.md b/translations/pt-BR/content/support/contacting-github-support/viewing-and-updating-support-tickets.md
index d47f77ac36..dcd72d5b82 100644
--- a/translations/pt-BR/content/support/contacting-github-support/viewing-and-updating-support-tickets.md
+++ b/translations/pt-BR/content/support/contacting-github-support/viewing-and-updating-support-tickets.md
@@ -14,30 +14,30 @@ topics:
{% data reusables.support.zendesk-old-tickets %}
-Você pode usar o [Portal de Suporte do GitHub](https://support.github.com/) para visualizar os tíquetes atuais e anteriores e responder a {% data variables.contact.github_support %}. After 120 days, resolved tickets are archived{% ifversion ghec or ghes or ghae %}, and archived tickets can only be viewed for enterprise accounts{% endif %}.
+Você pode usar o [Portal de Suporte do GitHub](https://support.github.com/) para visualizar os tíquetes atuais e anteriores e responder a {% data variables.contact.github_support %}. Após 120 dias, os tíquetes resolvidos são arquivados{% ifversion ghec or ghes or ghae %}, e os tíquetes arquivados só podem ser visualizados para contas corporativas{% endif %}.
{% ifversion ghes or ghec %}
{% data reusables.enterprise-accounts.support-entitlements %}
{% endif %}
-## Viewing your recent support tickets
+## Visualizando seus tíquetes de suporte recentes
{% data reusables.support.view-open-tickets %}
1. Na caixa de texto, você pode ler o histórico de comentários. A resposta mais recente está na parte superior. 
{% ifversion ghec or ghes or ghae %}
-## Viewing your archived support tickets
+## Visualizando seus tíquetes de suporte arquivados
-You can only view archived tickets for an enterprise account.
+Você só pode ver tíquetes arquivados para uma conta corporativa.
{% data reusables.support.navigate-to-my-tickets %}
-1. Select the **My Tickets** drop-down menu and click the name of the enterprise account.
+1. Selecione o menu suspenso **Meus Tíquetes** e clique no nome da conta corporativa.
{% indented_data_reference reusables.support.entitlements-note spaces=3 %}
- 
-1. Under the "My tickets" table, click **View archived tickets**.
+ 
+1. Na tabela "Meus tíquetes", clique em **Ver tíquetes arquivados**.
{% endif %}
diff --git a/translations/pt-BR/content/support/learning-about-github-support/about-github-premium-support.md b/translations/pt-BR/content/support/learning-about-github-support/about-github-premium-support.md
index 13e10018c3..fa8f000057 100644
--- a/translations/pt-BR/content/support/learning-about-github-support/about-github-premium-support.md
+++ b/translations/pt-BR/content/support/learning-about-github-support/about-github-premium-support.md
@@ -40,18 +40,18 @@ topics:
Há dois {% data variables.contact.premium_support %} planos: Premium e Premium Plus / {% data variables.product.microsoft_premium_plus_support_plan %}.
-| | {% data variables.product.premium_support_plan %} | {% data variables.product.premium_plus_support_plan %}
-| ------------------------------ | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------- |
-| Horas de operação | 24 x 7 | 24 x 7 |
-| Tempo inicial de resposta | - 30 minutos para {% data variables.product.support_ticket_priority_urgent %}
- 4 hours para {% data variables.product.support_ticket_priority_high %}
| - 30 minutos para {% data variables.product.support_ticket_priority_urgent %}
- 4 hours para {% data variables.product.support_ticket_priority_high %}
|
-| Canais de suporte | - Envio do tíquete on-line
- Suporte por telefone em inglês via solicitação de retorno de chamada
- Screen share request for critical issues
| - Envio do tíquete on-line
- Suporte por telefone em inglês via solicitação de retorno de chamada
- Screen share request for critical issues
|
-| Treinamentos | Acesso a conteúdo premium | - Acesso a conteúdo premium
- 1 aula de treinamento virtual por ano
|
-| Membros com direito a suporte | 20 | 20 |
-| Recursos | Processamento de tíquete com prioridade | - Processamento de tíquete com prioridade
- Engenheiro de Responsabilidade do Cliente Nomeado
|
-| Health Checks | Unlimited automated Health Check reports (see "[Generating a Health Check for your enterprise]({% ifversion not ghes%}/enterprise-server@latest{% endif %}/admin/enterprise-management/monitoring-your-appliance/generating-a-health-check-for-your-enterprise)") | - Unlimited automated Health Check reports (see "[Generating a Health Check for your enterprise]({% ifversion not ghes%}/enterprise-server@latest{% endif %}/admin/enterprise-management/monitoring-your-appliance/generating-a-health-check-for-your-enterprise)")
- Quarterly enhanced Health Checks, with findings, interpretations, and recommendations from a Customer Reliability Engineer (by request)
|
-| Technical advisory hours | Nenhum | 4 horas por mês |
-| Application upgrade assistance | Nenhum | By request |
-| Cloud planning | Nenhum | By request |
+| | {% data variables.product.premium_support_plan %} | {% data variables.product.premium_plus_support_plan %}
+| ------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------- |
+| Horas de operação | 24 x 7 | 24 x 7 |
+| Tempo inicial de resposta | - 30 minutos para {% data variables.product.support_ticket_priority_urgent %}
- 4 hours para {% data variables.product.support_ticket_priority_high %}
| - 30 minutos para {% data variables.product.support_ticket_priority_urgent %}
- 4 hours para {% data variables.product.support_ticket_priority_high %}
|
+| Canais de suporte | - Envio do tíquete on-line
- Suporte por telefone em inglês via solicitação de retorno de chamada
- Solicitação de compartilhamento de tela para problemas críticos
| - Envio do tíquete on-line
- Suporte por telefone em inglês via solicitação de retorno de chamada
- Solicitação de compartilhamento de tela para problemas críticos
|
+| Treinamentos | Acesso a conteúdo premium | - Acesso a conteúdo premium
- 1 aula de treinamento virtual por ano
|
+| Membros com direito a suporte | 20 | 20 |
+| Recursos | Processamento de tíquete com prioridade | - Processamento de tíquete com prioridade
- Engenheiro de Responsabilidade do Cliente Nomeado
|
+| Verificações de integridade | Relatórios automatizados da verificação de integridade ilimitados (consulte "[Gerando uma verificação de integridade para a sua empresa]({% ifversion not ghes%}/enterprise-server@latest{% endif %}/admin/enterprise-management/monitoring-your-appliance/generating-a-health-check-for-your-enterprise)") | - Relatórios automatizados de verificação de integridade (consulte "[Gerando uma verificação de integridade para a sua empresa]({% ifversion not ghes%}/enterprise-server@latest{% endif %}/admin/enterprise-management/monitoring-your-appliance/generating-a-health-check-for-your-enterprise)")
- Verificações de integridade desenvolvidas trimestralmente, com resultados, interpretações e recomendações de um engenheiro de Responsabilidade do Cliente (mediante solicitação)
|
+| Horas de consultoria técnica | Nenhum | 4 horas por mês |
+| Assistência para atualização de aplicativos | Nenhum | Mediante solicitação |
+| Planejamento da nuvem | Nenhum | Mediante solicitação |
{% note %}
diff --git a/translations/pt-BR/data/graphql/ghae/graphql_upcoming_changes.public-ghae.yml b/translations/pt-BR/data/graphql/ghae/graphql_upcoming_changes.public-ghae.yml
index af33c8a75d..6582225616 100644
--- a/translations/pt-BR/data/graphql/ghae/graphql_upcoming_changes.public-ghae.yml
+++ b/translations/pt-BR/data/graphql/ghae/graphql_upcoming_changes.public-ghae.yml
@@ -80,126 +80,126 @@ upcoming_changes:
-
location: LockMergeQueueInput.branch
description: '`branch` será removido.'
- reason: The merge queue is locked for the repository's default branch, the `branch` argument is now a no-op
+ reason: A fila de merge está bloqueada para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: MergeLockedMergeGroupInput.branch
description: '`branch` será removido.'
- reason: Changes are merged into the repository's default branch, the `branch` argument is now a no-op
+ reason: As alterações são mescladas no branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: ProjectNextFieldType.ASSIGNEES
- description: '`ASSIGNEES` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ASSIGNEES` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.DATE
- description: '`DATE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `DATE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.ITERATION
- description: '`ITERATION` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ITERATION` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LABELS
- description: '`LABELS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LABELS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LINKED_PULL_REQUESTS
- description: '`LINKED_PULL_REQUESTS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LINKED_PULL_REQUESTS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.MILESTONE
- description: '`MILESTONE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `MILESTONE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.NUMBER
- description: '`NUMBER` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `NUMBER` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REPOSITORY
- description: '`REPOSITORY` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REPOSITORY` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REVIEWERS
- description: '`REVIEWERS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REVIEWERS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.SINGLE_SELECT
- description: '`SINGLE_SELECT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `SINGLE_SELECT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TEXT
- description: '`TEXT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TEXT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TITLE
- description: '`TITLE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TITLE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TRACKS
- description: '`TRACKS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TRACKS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: RemovePullRequestFromMergeQueueInput.branch
description: '`branch` será removido.'
- reason: PRs are removed from the merge queue for the base branch, the `branch` argument is now a no-op
+ reason: Os PRs são removidos da fila de merge para o branch base, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: RepositoryVulnerabilityAlert.fixReason
- description: '`fixReason` will be removed.'
- reason: The `fixReason` field is being removed. You can still use `fixedAt` and `dismissReason`.
+ description: '`fixReason` será removido.'
+ reason: O campo `fixReason` está sendo removido. Você ainda pode usar `fixedAt` e `dismissReason`.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jamestran201
-
location: UnlockAndResetMergeGroupInput.branch
description: '`branch` será removido.'
- reason: The current merge group for the repository's default branch, the `branch` argument is now a no-op
+ reason: O grupo de merge atual para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
diff --git a/translations/pt-BR/data/graphql/ghec/graphql_upcoming_changes.public.yml b/translations/pt-BR/data/graphql/ghec/graphql_upcoming_changes.public.yml
index b1436cadbf..a9498b8ec6 100644
--- a/translations/pt-BR/data/graphql/ghec/graphql_upcoming_changes.public.yml
+++ b/translations/pt-BR/data/graphql/ghec/graphql_upcoming_changes.public.yml
@@ -100,1086 +100,1086 @@ upcoming_changes:
owner: cheshire137
-
location: AddProjectDraftIssueInput.assigneeIds
- description: '`assigneeIds` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `assigneeneeIds` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.body
- description: '`body` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `body` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssuePayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemInput.contentId
- description: '`contentId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `contentId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemPayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemInput.itemId
- description: '`itemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `itemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemPayload.deletedItemId
- description: '`deletedItemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `deletedItemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DependencyGraphDependency.packageLabel
- description: '`packageLabel` will be removed. Use normalized `packageName` field instead.'
- reason: '`packageLabel` will be removed.'
+ description: 'O campo `packageLabel` será removido. Use o campo `packageName` normalizado.'
+ reason: '`packageLabel` será removido.'
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: github/dependency_graph
-
location: Issue.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Issue.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: LockMergeQueueInput.branch
description: '`branch` será removido.'
- reason: The merge queue is locked for the repository's default branch, the `branch` argument is now a no-op
+ reason: A fila de merge está bloqueada para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: MergeLockedMergeGroupInput.branch
description: '`branch` será removido.'
- reason: Changes are merged into the repository's default branch, the `branch` argument is now a no-op
+ reason: As alterações são mescladas no branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: Mutation.addProjectDraftIssue
- description: '`addProjectDraftIssue` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `addProjectDraftIssue` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.addProjectNextItem
- description: '`addProjectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `addProjectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.deleteProjectNextItem
- description: '`deleteProjectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `deleteProjectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectDraftIssue
- description: '`updateProjectDraftIssue` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updateProjectDraftIssue` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectNext
- description: '`updateProjectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: '''updateProjectNext'' será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectNextItemField
- description: '`updateProjectNextItemField` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: '''updateProjectNextItemField'' será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar uma substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.closed
- description: '`closed` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `closed` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.defaultView
- description: '`defaultView` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `defaultView` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.description
- description: '`description` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.fieldConstraints
- description: '`fieldConstraints` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.fields
- description: '`fields` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.items
- description: '`items` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `items` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.number
- description: '`number` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `number` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.owner
- description: '`owner` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `owner` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.public
- description: '`public` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `public` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.repositories
- description: '`repositories` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `repositories` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.resourcePath
- description: '`resourcePath` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.shortDescription
- description: '`shortDescription` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.url
- description: '`url` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `url` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.views
- description: '`views` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `views` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.ASSIGNEES
- description: '`ASSIGNEES` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ASSIGNEES` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.DATE
- description: '`DATE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `DATE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.ITERATION
- description: '`ITERATION` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ITERATION` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LABELS
- description: '`LABELS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LABELS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LINKED_PULL_REQUESTS
- description: '`LINKED_PULL_REQUESTS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LINKED_PULL_REQUESTS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.MILESTONE
- description: '`MILESTONE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `MILESTONE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.NUMBER
- description: '`NUMBER` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `NUMBER` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REPOSITORY
- description: '`REPOSITORY` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REPOSITORY` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REVIEWERS
- description: '`REVIEWERS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REVIEWERS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.SINGLE_SELECT
- description: '`SINGLE_SELECT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `SINGLE_SELECT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TEXT
- description: '`TEXT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TEXT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TITLE
- description: '`TITLE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TITLE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TRACKS
- description: '`TRACKS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TRACKS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.content
- description: '`content` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `content` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.fieldValues
- description: '`fieldValues` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `fieldValues` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.isArchived
- description: '`isArchived` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `isArchived` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.type
- description: '`type` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `type` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectField
- description: '`projectField` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectField` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectFieldConstraint
- description: '`projectFieldConstraint` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectFieldConstraint` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectItem
- description: '`projectItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.value
- description: '`value` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `value` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.configuration
- description: '`configuration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `configuration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.completedIterations
- description: '`completedIterations` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `completedIterations` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.duration
- description: '`duration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `duration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.iterations
- description: '`iterations` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `iterations` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.startDay
- description: '`startDay` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `startDay` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.duration
- description: '`duration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `duration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.startDate
- description: '`startDate` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `startDate` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.titleHTML
- description: '`titleHtml` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `titleHtml` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.CREATED_AT
- description: '`CREATED_AT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `CREATED_AT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.NUMBER
- description: '`NUMBER` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `NUMBER` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.TITLE
- description: '`TITLE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TITLE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.UPDATED_AT
- description: '`UPDATED_AT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `UPDATED_AT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOwner.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOwner.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextRecent.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.options
- description: '`options` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `options` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.nameHTML
- description: '`nameHtml` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `nameHtml` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.filter
- description: '`filter` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `filter` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.groupBy
- description: '`groupBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `groupBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.items
- description: '`items` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `items` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.layout
- description: '`layout` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `layout` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.number
- description: '`number` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `number` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.sortBy
- description: '`sortBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `sortBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.verticalGroupBy
- description: '`verticalGroupBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `verticalGroupBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.visibleFields
- description: '`visibleFields` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectNextItems
- description: '`projectNextItems` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: RemovePullRequestFromMergeQueueInput.branch
description: '`branch` será removido.'
- reason: PRs are removed from the merge queue for the base branch, the `branch` argument is now a no-op
+ reason: Os PRs são removidos da fila de merge para o branch base, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: Repository.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Repository.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Repository.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: RepositoryVulnerabilityAlert.fixReason
- description: '`fixReason` will be removed.'
- reason: The `fixReason` field is being removed. You can still use `fixedAt` and `dismissReason`.
+ description: '`fixReason` será removido.'
+ reason: O campo `fixReason` está sendo removido. Você ainda pode usar `fixedAt` e `dismissReason`.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jamestran201
-
location: UnlockAndResetMergeGroupInput.branch
description: '`branch` será removido.'
- reason: The current merge group for the repository's default branch, the `branch` argument is now a no-op
+ reason: O grupo de merge atual para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: UpdateProjectNextInput.closed
- description: '`closed` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `closed` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.description
- description: '`description` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.public
- description: '`public` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `public` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.shortDescription
- description: '`shortDescription` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.fieldConstraintId
- description: '`fieldConstraintId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.fieldId
- description: '`fieldId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `fieldId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
@@ -1192,50 +1192,50 @@ upcoming_changes:
owner: memex
-
location: UpdateProjectNextItemFieldInput.itemId
- description: '`itemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `itemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.value
- description: '`value` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `value` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldPayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextPayload.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
diff --git a/translations/pt-BR/data/graphql/ghes-3.1/graphql_previews.enterprise.yml b/translations/pt-BR/data/graphql/ghes-3.1/graphql_previews.enterprise.yml
deleted file mode 100644
index 5627a1d7db..0000000000
--- a/translations/pt-BR/data/graphql/ghes-3.1/graphql_previews.enterprise.yml
+++ /dev/null
@@ -1,134 +0,0 @@
----
--
- title: Acesso à exclusão de versão pacote
- description: >-
- Esta pré-visualização adiciona suporte para a mudança do DeletePackageVersion que permite a exclusão de versões privadas de pacotes.
- toggled_by: ':package-deletes-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.deletePackageVersion
- owning_teams:
- - '@github/pe-package-registry'
--
- title: Implantações
- description: >-
- Esta visualização adiciona suporte para mudanças e novos recursos nos deployments.
- toggled_by: ':flash-preview'
- announcement: null
- updates: null
- toggled_on:
- - DeploymentStatus.environment
- - Mutation.createDeploymentStatus
- - CreateDeploymentStatusInput
- - CreateDeploymentStatusPayload
- - Mutation.createDeployment
- - CreateDeploymentInput
- - CreateDeploymentPayload
- owning_teams:
- - '@github/ecosystem-api'
--
- title: >-
- MergeInfoPreview - Mais informações detalhadas sobre o estado de merge de uma pull request.
- description: >-
- Esta visualização adiciona suporte para acessar campos que fornecem informações mais detalhadas sobre o estado de merge de uma pull request.
- toggled_by: ':merge-info-preview'
- announcement: null
- updates: null
- toggled_on:
- - PullRequest.canBeRebased
- - PullRequest.mergeStateStatus
- owning_teams:
- - '@github/pe-pull-requests'
--
- title: UpdateRefsPreview - Atualiza vários refs em uma única operação.
- description: Essa pré-visualização adiciona suporte para atualizar múltiplas refs em uma única operação.
- toggled_by: ':update-refs-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.updateRefs
- - GitRefname
- - RefUpdate
- - UpdateRefsInput
- - UpdateRefsPayload
- owning_teams:
- - '@github/reponauts'
--
- title: Detalhes Tarefa Projeto
- description: >-
- Esta visualização adiciona detalhes de projeto, cartão de projeto e coluna de projetos para eventos de questões relacionadas ao projeto.
- toggled_by: ':starfox-preview'
- announcement: null
- updates: null
- toggled_on:
- - AddedToProjectEvent.project
- - AddedToProjectEvent.projectCard
- - AddedToProjectEvent.projectColumnName
- - ConvertedNoteToIssueEvent.project
- - ConvertedNoteToIssueEvent.projectCard
- - ConvertedNoteToIssueEvent.projectColumnName
- - MovedColumnsInProjectEvent.project
- - MovedColumnsInProjectEvent.projectCard
- - MovedColumnsInProjectEvent.projectColumnName
- - MovedColumnsInProjectEvent.previousProjectColumnName
- - RemovedFromProjectEvent.project
- - RemovedFromProjectEvent.projectColumnName
- owning_teams:
- - '@github/github-projects'
--
- title: Criar anexos de conteúdo
- description: Esta visualização adiciona suporte para a criação de anexos de conteúdo.
- toggled_by: ':corsair-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.createContentAttachment
- owning_teams:
- - '@github/feature-lifecycle'
--
- title: Visualização de Etiquetas
- description: >-
- Esta visualização adiciona suporte para adicionar, atualizar, criar e excluir etiquetas.
- toggled_by: ':bane-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.createLabel
- - CreateLabelPayload
- - CreateLabelInput
- - Mutation.deleteLabel
- - DeleteLabelPayload
- - DeleteLabelInput
- - Mutation.updateLabel
- - UpdateLabelPayload
- - UpdateLabelInput
- owning_teams:
- - '@github/pe-pull-requests'
--
- title: Importar Projeto
- description: Esta visualização adiciona suporte para a importação de projetos.
- toggled_by: ':slothette-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.importProject
- owning_teams:
- - '@github/pe-issues-projects'
--
- title: Pré-visualização da Revisão da Equipe
- description: >-
- Esta pré-visualização adiciona suporte para atualizar as configurações da atribuição de revisão de equipe.
- toggled_by: ':stone-crop-preview'
- announcement: null
- updates: null
- toggled_on:
- - Mutation.updateTeamReviewAssignment
- - UpdateTeamReviewAssignmentInput
- - TeamReviewAssignmentAlgorithm
- - Team.reviewRequestDelegationEnabled
- - Team.reviewRequestDelegationAlgorithm
- - Team.reviewRequestDelegationMemberCount
- - Team.reviewRequestDelegationNotifyTeam
- owning_teams:
- - '@github/pe-pull-requests'
diff --git a/translations/pt-BR/data/graphql/ghes-3.1/graphql_upcoming_changes.public-enterprise.yml b/translations/pt-BR/data/graphql/ghes-3.1/graphql_upcoming_changes.public-enterprise.yml
deleted file mode 100644
index 65bf5b1ce0..0000000000
--- a/translations/pt-BR/data/graphql/ghes-3.1/graphql_upcoming_changes.public-enterprise.yml
+++ /dev/null
@@ -1,114 +0,0 @@
----
-upcoming_changes:
- -
- location: LegacyMigration.uploadUrlTemplate
- description: '`uploadUrlTemplate` será removido. Use `uploadUrl` em vez disso.'
- reason: '''uploadUrlTemplate'' está sendo removido porque não é uma URL padrão e adiciona um passo extra do usuário.'
- date: '2019-04-01T00:00:00+00:00'
- criticality: breaking
- owner: tambling
- -
- location: AssignedEvent.user
- description: '`user` será removido. Use o campo `assignee`.'
- reason: Os responsáveis podem agora ser mannequines.
- date: '2020-01-01T00:00:00+00:00'
- criticality: breaking
- owner: tambling
- -
- location: EnterpriseBillingInfo.availableSeats
- description: '`availableSeats` será removido. Use EnterpriseBillingInfo.totalAvailableLicenses em vez disso.'
- reason: '`availableSeats` serão substituídos por ''totalAvailableLicenses'' para fornecer mais clareza sobre o valor que está sendo devolvido'
- date: '2020-01-01T00:00:00+00:00'
- criticality: breaking
- owner: BlakeWilliams
- -
- location: EnterpriseBillingInfo.seats
- description: '`seats` serão removidos. Use EnterpriseBillingInfo.totalLicenses em vez disso.'
- reason: '`seats` serão substituídos por ''totalLicenses'' para fornecer mais clareza sobre o valor que está sendo devolvido'
- date: '2020-01-01T00:00:00+00:00'
- criticality: breaking
- owner: BlakeWilliams
- -
- location: UnassignedEvent.user
- description: '`user` será removido. Use o campo `assignee`.'
- reason: Os responsáveis podem agora ser mannequines.
- date: '2020-01-01T00:00:00+00:00'
- criticality: breaking
- owner: tambling
- -
- location: Sponsorship.maintainer
- description: '`maintainer` será removido. Use `Sponsorship.sponsorable` em vez disso.'
- reason: '`Sponsorship.maintainer` será removido.'
- date: 'RegistryPackageDependency.dependencyType'
- criticality: breaking
- owner: antn
- -
- location: EnterprisePendingMemberInvitationEdge.isUnlicensed
- description: '`isUnlicensed` será removido.'
- reason: Todos os integrantes pendentes consomem uma licença
- date: '2020-07-01T00:00:00+00:00'
- criticality: breaking
- owner: BrentWheeldon
- -
- location: EnterpriseOwnerInfo.pendingCollaborators
- description: '`pendingCollaborators` será removido. Use o campo `pendingCollaboratorInvitations` em vez disso.'
- reason: Os convites de repositório agora podem ser associados a um email, não apenas a um convidado.
- date: '2020-10-01T00:00:00+00:00'
- criticality: breaking
- owner: jdennes
- -
- location: Issue.timeline
- description: '`timeline` será removido. Use Issue.timelineItems em vez disso.'
- reason: '`timeline` será removido'
- date: '2020-10-01T00:00:00+00:00'
- criticality: breaking
- owner: mikesea
- -
- location: PullRequest.timeline
- description: '`timeline` será removido. Use PullRequest.timelineItems em vez disso.'
- reason: '`timeline` será removido'
- date: '2020-10-01T00:00:00+00:00'
- criticality: breaking
- owner: mikesea
- -
- location: RepositoryInvitationOrderField.INVITEE_LOGIN
- description: '`INVITEE_LOGIN` será removido.'
- reason: '`INVITEE_LOGIN` não é mais um valor de campo válido. Convites de repositório agora podem ser associados a um email, não apenas a um convidado.'
- date: '2020-10-01T00:00:00+00:00'
- criticality: breaking
- owner: jdennes
- -
- location: Sponsorship.sponsor
- description: '`sponsor` será removido. Use `Sponsorship.sponsorEntity` em vez disso.'
- reason: '`Sponsorship.sponsor` será removido.'
- date: '2020-10-01T00:00:00+00:00'
- criticality: breaking
- owner: nholden
- -
- location: EnterpriseMemberEdge.isUnlicensed
- description: '`isUnlicensed` será removido.'
- reason: Todos os integrantes consomem uma licença
- date: '2021-01-01T00:00:00+00:00'
- criticality: breaking
- owner: BrentWheeldon
- -
- location: EnterpriseOutsideCollaboratorEdge.isUnlicensed
- description: '`isUnlicensed` será removido.'
- reason: Todos os colaboradores externos consomem uma licença
- date: '2021-01-01T00:00:00+00:00'
- criticality: breaking
- owner: BrentWheeldon
- -
- location: EnterprisePendingCollaboratorEdge.isUnlicensed
- description: '`isUnlicensed` será removido.'
- reason: Todos os colaboradores pendentes consomem uma licença
- date: '2021-01-01T00:00:00+00:00'
- criticality: breaking
- owner: BrentWheeldon
- -
- location: MergeStateStatus.DRAFT
- description: 'O `DRAFT` será removido. Use PullRequest.isDraft.'
- reason: O status DRAFT será removido deste enum e o `isDraft` deverá ser usado
- date: '2021-01-01T00:00:00+00:00'
- criticality: breaking
- owner: nplasterer
diff --git a/translations/pt-BR/data/graphql/graphql_upcoming_changes.public.yml b/translations/pt-BR/data/graphql/graphql_upcoming_changes.public.yml
index b1436cadbf..a9498b8ec6 100644
--- a/translations/pt-BR/data/graphql/graphql_upcoming_changes.public.yml
+++ b/translations/pt-BR/data/graphql/graphql_upcoming_changes.public.yml
@@ -100,1086 +100,1086 @@ upcoming_changes:
owner: cheshire137
-
location: AddProjectDraftIssueInput.assigneeIds
- description: '`assigneeIds` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `assigneeneeIds` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.body
- description: '`body` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `body` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssueInput.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectDraftIssuePayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemInput.contentId
- description: '`contentId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `contentId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: AddProjectNextItemPayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemInput.itemId
- description: '`itemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `itemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DeleteProjectNextItemPayload.deletedItemId
- description: '`deletedItemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `deletedItemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: DependencyGraphDependency.packageLabel
- description: '`packageLabel` will be removed. Use normalized `packageName` field instead.'
- reason: '`packageLabel` will be removed.'
+ description: 'O campo `packageLabel` será removido. Use o campo `packageName` normalizado.'
+ reason: '`packageLabel` será removido.'
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: github/dependency_graph
-
location: Issue.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Issue.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: LockMergeQueueInput.branch
description: '`branch` será removido.'
- reason: The merge queue is locked for the repository's default branch, the `branch` argument is now a no-op
+ reason: A fila de merge está bloqueada para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: MergeLockedMergeGroupInput.branch
description: '`branch` será removido.'
- reason: Changes are merged into the repository's default branch, the `branch` argument is now a no-op
+ reason: As alterações são mescladas no branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: Mutation.addProjectDraftIssue
- description: '`addProjectDraftIssue` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `addProjectDraftIssue` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.addProjectNextItem
- description: '`addProjectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `addProjectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.deleteProjectNextItem
- description: '`deleteProjectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `deleteProjectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectDraftIssue
- description: '`updateProjectDraftIssue` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updateProjectDraftIssue` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectNext
- description: '`updateProjectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: '''updateProjectNext'' será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Mutation.updateProjectNextItemField
- description: '`updateProjectNextItemField` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: '''updateProjectNextItemField'' será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar uma substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Organization.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.closed
- description: '`closed` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `closed` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.defaultView
- description: '`defaultView` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `defaultView` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.description
- description: '`description` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.fieldConstraints
- description: '`fieldConstraints` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.fields
- description: '`fields` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.items
- description: '`items` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `items` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.number
- description: '`number` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `number` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.owner
- description: '`owner` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `owner` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.public
- description: '`public` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `public` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.repositories
- description: '`repositories` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `repositories` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.resourcePath
- description: '`resourcePath` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.shortDescription
- description: '`shortDescription` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.url
- description: '`url` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `url` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNext.views
- description: '`views` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `views` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldCommon.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.ASSIGNEES
- description: '`ASSIGNEES` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ASSIGNEES` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.DATE
- description: '`DATE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `DATE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.ITERATION
- description: '`ITERATION` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `ITERATION` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LABELS
- description: '`LABELS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LABELS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.LINKED_PULL_REQUESTS
- description: '`LINKED_PULL_REQUESTS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `LINKED_PULL_REQUESTS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.MILESTONE
- description: '`MILESTONE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `MILESTONE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.NUMBER
- description: '`NUMBER` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `NUMBER` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REPOSITORY
- description: '`REPOSITORY` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REPOSITORY` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.REVIEWERS
- description: '`REVIEWERS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `REVIEWERS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.SINGLE_SELECT
- description: '`SINGLE_SELECT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `SINGLE_SELECT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TEXT
- description: '`TEXT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TEXT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TITLE
- description: '`TITLE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TITLE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextFieldType.TRACKS
- description: '`TRACKS` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TRACKS` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.content
- description: '`content` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `content` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.fieldValues
- description: '`fieldValues` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `fieldValues` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.isArchived
- description: '`isArchived` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `isArchived` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.type
- description: '`type` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `type` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItem.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.creator
- description: '`creator` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `creator` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectField
- description: '`projectField` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectField` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectFieldConstraint
- description: '`projectFieldConstraint` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectFieldConstraint` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.projectItem
- description: '`projectItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextItemFieldValue.value
- description: '`value` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `value` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.configuration
- description: '`configuration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `configuration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.completedIterations
- description: '`completedIterations` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `completedIterations` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.duration
- description: '`duration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `duration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.iterations
- description: '`iterations` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `iterations` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldConfiguration.startDay
- description: '`startDay` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `startDay` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.duration
- description: '`duration` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `duration` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.startDate
- description: '`startDate` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `startDate` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextIterationFieldIteration.titleHTML
- description: '`titleHtml` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `titleHtml` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.CREATED_AT
- description: '`CREATED_AT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `CREATED_AT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.NUMBER
- description: '`NUMBER` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `NUMBER` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.TITLE
- description: '`TITLE` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `TITLE` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOrderField.UPDATED_AT
- description: '`UPDATED_AT` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `UPDATED_AT` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOwner.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextOwner.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextRecent.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.dataType
- description: '`dataType` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `dataType` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.options
- description: '`options` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `options` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.settings
- description: '`settings` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `settings` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectField.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.id
- description: '`id` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `id` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectNextSingleSelectFieldOption.nameHTML
- description: '`nameHtml` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `nameHtml` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.createdAt
- description: '`createdAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `createdAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.databaseId
- description: '`databaseId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `databaseId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.filter
- description: '`filter` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `filter` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.groupBy
- description: '`groupBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `groupBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.items
- description: '`items` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `items` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.layout
- description: '`layout` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `layout` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.name
- description: '`name` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `name` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.number
- description: '`number` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `number` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.project
- description: '`project` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `project` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.sortBy
- description: '`sortBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `sortBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.updatedAt
- description: '`updatedAt` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `updatedAt` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.verticalGroupBy
- description: '`verticalGroupBy` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `verticalGroupBy` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: ProjectView.visibleFields
- description: '`visibleFields` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectNextItems
- description: '`projectNextItems` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: PullRequest.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: RemovePullRequestFromMergeQueueInput.branch
description: '`branch` será removido.'
- reason: PRs are removed from the merge queue for the base branch, the `branch` argument is now a no-op
+ reason: Os PRs são removidos da fila de merge para o branch base, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: Repository.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Repository.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: Repository.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: RepositoryVulnerabilityAlert.fixReason
- description: '`fixReason` will be removed.'
- reason: The `fixReason` field is being removed. You can still use `fixedAt` and `dismissReason`.
+ description: '`fixReason` será removido.'
+ reason: O campo `fixReason` está sendo removido. Você ainda pode usar `fixedAt` e `dismissReason`.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jamestran201
-
location: UnlockAndResetMergeGroupInput.branch
description: '`branch` será removido.'
- reason: The current merge group for the repository's default branch, the `branch` argument is now a no-op
+ reason: O grupo de merge atual para o branch padrão do repositório, o argumento `branch` agora é um no-op
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: jhunschejones
-
location: UpdateProjectNextInput.closed
- description: '`closed` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `closed` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.description
- description: '`description` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `description` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.projectId
- description: '`projectId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.public
- description: '`public` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `public` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.shortDescription
- description: '`shortDescription` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `resourcePath` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextInput.title
- description: '`title` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `title` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.fieldConstraintId
- description: '`fieldConstraintId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `visibleFields` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.fieldId
- description: '`fieldId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `fieldId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
@@ -1192,50 +1192,50 @@ upcoming_changes:
owner: memex
-
location: UpdateProjectNextItemFieldInput.itemId
- description: '`itemId` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `itemId` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldInput.value
- description: '`value` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `value` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextItemFieldPayload.projectNextItem
- description: '`projectNextItem` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNextItem` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: UpdateProjectNextPayload.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.projectNext
- description: '`projectNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.projectsNext
- description: '`projectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `projectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
-
location: User.recentProjectsNext
- description: '`recentProjectsNext` will be removed. Follow the ProjectV2 guide at https://github.blog/changelog/2022-06-23-the-new-github-issues-june-23rd-update/, to find a suitable replacement.'
- reason: The `ProjectNext` API is deprecated in favour of the more capable `ProjectV2` API.
+ description: 'O `recentProjectsNext` será removido. Siga o guia ProjectV2 em https://github.blog/changelog/2022-06-23-the-new-issues-june-23rd-update/ para encontrar um substituto adequado.'
+ reason: A API `ProjectNext` está obsoleta para favorecer a API `ProjectV2` que tem mais capacidade.
date: '2022-10-01T00:00:00+00:00'
criticality: breaking
owner: lukewar
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-1/0.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-1/0.yml
index 5683a8313a..0429f9a3ff 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-1/0.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-1/0.yml
@@ -174,6 +174,6 @@ sections:
heading: Change to the format of authentication tokens affects GitHub Connect
notes:
- |
- GitHub Connect will no longer work after June 3rd for instances running GitHub Enterprise Server 3.1 or older, due to the format of GitHub authentication tokens changing. To continue using GitHub Connect, upgrade to GitHub Enterprise Server 3.2 or later. For more information, see the [GitHub Blog](https://github.blog/2022-05-20-action-needed-by-github-connect-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Updated: 2022-06-14]
+ O GitHub Connect não funcionará mais após 3 de junho para instâncias executadas no GitHub Enterprise Server 3.1 ou anterior, devido à alteração no formato dos tokens de autenticação do GitHub. Para continuar usando o GitHub Connect, atualize para o GitHub Enterprise Server 3.2 ou superior. Para obter mais informações, consulte o [Blogue do GitHub](https://github.blog/2022-05-20-action-needed-by-github-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Atualizado: 2022-06-14]
backups:
- '{% data variables.product.prodname_ghe_server %} 3.1 exige pelo menos uma versão dos [Utilitários de Backup 3.1.0 do GitHub Enterprise](https://github.com/github/backup-utils) para [Backups Recuperação de Desastre](/enterprise-server@3.1/admin/configuration/configuring-backups-on-your-appliance).'
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-1/22.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-1/22.yml
index c35a76968b..99d78a6ace 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-1/22.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-1/22.yml
@@ -4,12 +4,12 @@ sections:
security_fixes:
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - An internal script to validate hostnames in the {% data variables.product.prodname_ghe_server %} configuration file would return an error if the hostname string started with a "." (period character).
- - In HA configurations where the primary node's hostname was longer than 60 characters, MySQL would fail to be configured.
- - The calculation of "maximum committers across entire instance" reported in the site admin dashboard was incorrect.
- - An incorrect database entry for repository replicas caused database corruption when performing a restore using {% data variables.product.prodname_enterprise_backup_utilities %}.
+ - Um script interno para validar nomes de host no arquivo de configuração {% data variables.product.prodname_ghe_server %} retornaria um erro se a string do nome de host iniciasse com um "." (caractere de ponto final).
+ - Em configurações HA,, em que o nome de host do nó primário era maior que 60 caracteres, o MySQL falharia na configuração.
+ - O cálculo de "máximo de committers em toda a instância" relatado no painel de administração do site estava incorreto.
+ - Uma entrada de banco de dados incorreta para réplicas do repositório causou erros de banco de dados ao executar uma restauração usando {% data variables.product.prodname_enterprise_backup_utilities %}.
changes:
- - In HA configurations where Elasticsearch reported a valid yellow status, changes introduced in a previous fix would block the `ghe-repl-stop` command and not allow replication to be stopped. Using `ghe-repo-stop --force` will now force Elasticsearch to stop when the service is in a normal or valid yellow status.
+ - Nas configurações AH em que Elasticsearch relatou um status amarelo válido, as alterações introduzidas em uma correção anterior bloqueariam o comando `ghe-repl-stop` e não permitiriam que a replicação fosse interrompida. Usando `ghe-repo-stop --force` agora forçará o Elasticsearch a parar quando o serviço estiver em um status amarelo normal ou válido.
known_issues:
- O registro npm de {% data variables.product.prodname_registry %} não retorna mais o valor de tempo em respostas de metadados. Isso foi feito para permitir melhorias substanciais de desempenho. Continuamos a ter todos os dados necessários para devolver um valor de tempo como parte da resposta aos metadados e retomaremos o retorno desse valor no futuro, assim que tivermos resolvido os problemas de desempenho existentes.
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-2/0-rc1.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-2/0-rc1.yml
index 70cc208452..f1036c437b 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-2/0-rc1.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-2/0-rc1.yml
@@ -133,7 +133,7 @@ sections:
- 'O gráfico de dependência agora pode ser habilitado usando o Console de gerenciamento, em vez de precisar executar um comando no shell administrativo. Para obter mais informações, consulte "[Habilitando alertas para dependências vulneráveis de {% data variables.product.prodname_ghe_server %}](/admin/configura/managing-connections-between-github-enterprise-server-and-github-enterprise-cloud/enabling-alerts-for-vulnerable-dependencies-on-github-enterprise-server#enabling-the-dependency-graph-and-dependabot-alerts-for-vulnerable-dependencies-on-github-enterprise-server)."'
- As notificações para vários {% data variables.product.prodname_dependabot_alerts %} agora estão agrupadas se forem descobertas ao mesmo tempo. Isto reduz significativamente o volume de notificações de alerta de {% data variables.product.prodname_dependabot %} recebidas pelos usuários. Para obter mais informações, consulte o [registro de alterações de {% data variables.product.prodname_dotcom %}](https://github.blog/changelog/2021-03-18-grouped-dependabot-alert-notifications/).
- 'O gráfico de dependências e {% data variables.product.prodname_dependabot_alerts %} agora é compatível com os módulos do Go. {% data variables.product.prodname_ghe_server %} analisa os arquivos `go.mod` de um repositório para entender as dependências do repositório. Juntamente com consultores de segurança, o gráfico de dependências fornece as informações necessárias para alertar os desenvolvedores para dependências vulneráveis. Para obter mais informações sobre a habilitação do gráfico de dependências em repositórios privados, consulte "[Protegendo seu repositório](/code-security/getting-started/securing-your-repository#managing-the-dependency-graph)."'
- - The default notification settings for security alerts have changed. Previously, if you had permission to view security alerts in a repository, you would receive notifications for that repository as long as your settings allowed for security alert notifications. Now, you must opt in to security alert notifications by watching the repository. You will be notified if you select `All Activity` or configure `Custom` to include `Security alerts`. All existing repositories will be automatically migrated to these new settings and you will continue to receive notifications; however, any new repositories will require opting-in by watching the repository. For more information see "[Configuring notifications for {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)" and "[Managing alerts from secret scanning](/code-security/secret-security/managing-alerts-from-secret-scanning)."
+ - As configurações de notificação padrão para alertas de segurança foram alteradas. Anteriormente, se você tinha permissão para exibir alertas de segurança em um repositório, você receberá notificações para esse repositório desde que as suas configurações forem permitidas para notificações de alerta de segurança. Agora, você deve optar por receber notificações de alerta de segurança mantendo o repositório. Você será notificado se você selecionar "Todas as atividades" ou configurar "Personalizadas" para incluir "Alertas de segurança". Todos os repositórios existentes serão transferidos automaticamente para estas novas configurações e você continuará recebendo notificações; no entanto, todos os novos repositórios exigirão opting-in, inspecionando o repositório. Para obter mais informações, consulte "[Configurar notificações para {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)" e "[Gerenciar alertas da digitalização de segredo](/code-security/secret-security/managing-alerts-from-secret-scanning)."
-
heading: 'Digitalização de código e alterações na digitalização de segredo'
notes:
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-2/0.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-2/0.yml
index 334251012b..6ffa203428 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-2/0.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-2/0.yml
@@ -134,7 +134,7 @@ sections:
- 'O gráfico de dependência agora pode ser habilitado usando o Console de gerenciamento, em vez de precisar executar um comando no shell administrativo. Para obter mais informações, consulte "[Habilitando alertas para dependências vulneráveis de {% data variables.product.prodname_ghe_server %}](/admin/configura/managing-connections-between-github-enterprise-server-and-github-enterprise-cloud/enabling-alerts-for-vulnerable-dependencies-on-github-enterprise-server#enabling-the-dependency-graph-and-dependabot-alerts-for-vulnerable-dependencies-on-github-enterprise-server)."'
- As notificações para vários {% data variables.product.prodname_dependabot_alerts %} agora estão agrupadas se forem descobertas ao mesmo tempo. Isto reduz significativamente o volume de notificações de alerta de {% data variables.product.prodname_dependabot %} recebidas pelos usuários. Para obter mais informações, consulte o [registro de alterações de {% data variables.product.prodname_dotcom %}](https://github.blog/changelog/2021-03-18-grouped-dependabot-alert-notifications/).
- 'O gráfico de dependências e {% data variables.product.prodname_dependabot_alerts %} agora é compatível com os módulos do Go. {% data variables.product.prodname_ghe_server %} analisa os arquivos `go.mod` de um repositório para entender as dependências do repositório. Juntamente com consultores de segurança, o gráfico de dependências fornece as informações necessárias para alertar os desenvolvedores para dependências vulneráveis. Para obter mais informações sobre a habilitação do gráfico de dependências em repositórios privados, consulte "[Protegendo seu repositório](/code-security/getting-started/securing-your-repository#managing-the-dependency-graph)."'
- - The default notification settings for security alerts have changed. Previously, if you had permission to view security alerts in a repository, you would receive notifications for that repository as long as your settings allowed for security alert notifications. Now, you must opt in to security alert notifications by watching the repository. You will be notified if you select `All Activity` or configure `Custom` to include `Security alerts`. All existing repositories will be automatically migrated to these new settings and you will continue to receive notifications; however, any new repositories will require opting-in by watching the repository. For more information see "[Configuring notifications for {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)" and "[Managing alerts from secret scanning](/code-security/secret-security/managing-alerts-from-secret-scanning)."
+ - As configurações de notificação padrão para alertas de segurança foram alteradas. Anteriormente, se você tinha permissão para exibir alertas de segurança em um repositório, você receberá notificações para esse repositório desde que as suas configurações forem permitidas para notificações de alerta de segurança. Agora, você deve optar por receber notificações de alerta de segurança mantendo o repositório. Você será notificado se você selecionar "Todas as atividades" ou configurar "Personalizadas" para incluir "Alertas de segurança". Todos os repositórios existentes serão transferidos automaticamente para estas novas configurações e você continuará recebendo notificações; no entanto, todos os novos repositórios exigirão opting-in, inspecionando o repositório. Para obter mais informações, consulte "[Configurar notificações para {% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)" e "[Gerenciar alertas da digitalização de segredo](/code-security/secret-security/managing-alerts-from-secret-scanning)."
-
heading: 'Digitalização de código e alterações na digitalização de segredo'
notes:
@@ -224,6 +224,6 @@ sections:
heading: Change to the format of authentication tokens affects GitHub Connect
notes:
- |
- GitHub Connect will no longer work after June 3rd for instances running GitHub Enterprise Server 3.1 or older, due to the format of GitHub authentication tokens changing. To continue using GitHub Connect, upgrade to GitHub Enterprise Server 3.2 or later. For more information, see the [GitHub Blog](https://github.blog/2022-05-20-action-needed-by-github-connect-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Updated: 2022-06-14]
+ O GitHub Connect não funcionará mais após 3 de junho para instâncias executadas no GitHub Enterprise Server 3.1 ou anterior, devido à alteração no formato dos tokens de autenticação do GitHub. Para continuar usando o GitHub Connect, atualize para o GitHub Enterprise Server 3.2 ou superior. Para obter mais informações, consulte o [Blogue do GitHub](https://github.blog/2022-05-20-action-needed-by-github-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Atualizado: 2022-06-14]
backups:
- '{% data variables.product.prodname_ghe_server %} 3.2 exige pelo menos uma versão dos [Utilitários de Backup 3.2.0 do GitHub Enterprise](https://github.com/github/backup-utils) para [Backups Recuperação de Desastre](/enterprise-server@3.2/admin/configuration/configuring-backups-on-your-appliance).'
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-2/14.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-2/14.yml
index 01fc16bf9b..a69be606a1 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-2/14.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-2/14.yml
@@ -4,15 +4,15 @@ sections:
security_fixes:
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - An internal script to validate hostnames in the {% data variables.product.prodname_ghe_server %} configuration file would return an error if the hostname string started with a "." (period character).
- - In HA configurations where the primary node's hostname was longer than 60 characters, MySQL would fail to be configured.
- - The `--gateway` argument was added to the `ghe-setup-network` command, to allow passing the gateway address when configuring network settings using the command line.
- - Image attachments that were deleted would return a `500 Internal Server Error` instead of a `404 Not Found` error.
- - The calculation of "maximum committers across entire instance" reported in the site admin dashboard was incorrect.
- - An incorrect database entry for repository replicas caused database corruption when performing a restore using {% data variables.product.prodname_enterprise_backup_utilities %}.
+ - Um script interno para validar nomes de host no arquivo de configuração {% data variables.product.prodname_ghe_server %} retornaria um erro se a string do nome de host iniciasse com um "." (caractere de ponto final).
+ - Em configurações HA,, em que o nome de host do nó primário era maior que 60 caracteres, o MySQL falharia na configuração.
+ - O argumento "--gateway" foi adicionado ao comando "ghe-setup-network", para permitir passar o endereço de gateway ao definir as configurações da rede usando a linha de comando.
+ - Os anexos de imagem que foram excluídos retornariam um `500 Internal Server Error` em vez de `404 Not Found`.
+ - O cálculo de "máximo de committers em toda a instância" relatado no painel de administração do site estava incorreto.
+ - Uma entrada de banco de dados incorreta para réplicas do repositório causou erros de banco de dados ao executar uma restauração usando {% data variables.product.prodname_enterprise_backup_utilities %}.
changes:
- - Optimised the inclusion of metrics when generating a cluster support bundle.
- - In HA configurations where Elasticsearch reported a valid yellow status, changes introduced in a previous fix would block the `ghe-repl-stop` command and not allow replication to be stopped. Using `ghe-repo-stop --force` will now force Elasticsearch to stop when the service is in a normal or valid yellow status.
+ - Otimizou a inclusão de métricas ao gerar um pacote de suporte para cluster.
+ - Nas configurações AH em que Elasticsearch relatou um status amarelo válido, as alterações introduzidas em uma correção anterior bloqueariam o comando `ghe-repl-stop` e não permitiriam que a replicação fosse interrompida. Usando `ghe-repo-stop --force` agora forçará o Elasticsearch a parar quando o serviço estiver em um status amarelo normal ou válido.
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-2/15.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-2/15.yml
index 8766cba4f2..317a23f8bf 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-2/15.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-2/15.yml
@@ -1,14 +1,14 @@
date: '2022-06-28'
sections:
security_fixes:
- - "**MEDIUM**: Ensures that `github.company.com` and `github-company.com` are not evaluated by internal services as identical hostnames, preventing a potential server-side security forgery (SSRF) attack."
+ - "**MÉDIO**: Garante que o `github.company.com` e `github-company.com` não sejam avaliados por serviços internos como nomes de host idênticos, impedindo um potencial ataque de segurança do lado do servidor (SSRF)."
- "**LOW**: An attacker could access the Management Console with a path traversal attack via HTTP even if external firewall rules blocked HTTP access."
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - In some cases, site administrators were not automatically added as enterprise owners.
- - After merging a branch into the default branch, the "History" link for a file would still link to the previous branch instead of the target branch.
+ - Em alguns casos, os administradores do site não foram automaticamente adicionados como proprietários da empresa.
+ - Depois de fazer o merge de um branch no branch padrão, o link "Histórico" para um arquivo ainda seria um link para o branch anterior ao invés do branch de destino.
changes:
- - Creating or updating check runs or check suites could return `500 Internal Server Error` if the value for certain fields, like the name, was too long.
+ - A criação ou atualização das execuções de verificação ou conjuntos de verificações pode retornar `500 Internal Server Error` se o valor para certos campos, assim como o nome, fosse muito longo.
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-3/0.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-3/0.yml
index d376b3d3ab..7dbaa8f783 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-3/0.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-3/0.yml
@@ -212,6 +212,6 @@ sections:
heading: Change to the format of authentication tokens affects GitHub Connect
notes:
- |
- GitHub Connect will no longer work after June 3rd for instances running GitHub Enterprise Server 3.1 or older, due to the format of GitHub authentication tokens changing. To continue using GitHub Connect, upgrade to GitHub Enterprise Server 3.2 or later. For more information, see the [GitHub Blog](https://github.blog/2022-05-20-action-needed-by-github-connect-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Updated: 2022-06-14]
+ O GitHub Connect não funcionará mais após 3 de junho para instâncias executadas no GitHub Enterprise Server 3.1 ou anterior, devido à alteração no formato dos tokens de autenticação do GitHub. Para continuar usando o GitHub Connect, atualize para o GitHub Enterprise Server 3.2 ou superior. Para obter mais informações, consulte o [Blogue do GitHub](https://github.blog/2022-05-20-action-needed-by-github-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Atualizado: 2022-06-14]
backups:
- '{% data variables.product.prodname_ghe_server %} 3.3 exige pelo menos [GitHub Enterprise Backup Utilities 3.0](https://github.com/github/backup-utils) para [Backups e recuperação de desastre](/admin/configuration/configuring-your-enterprise/configuring-backups-on-your-appliance).'
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-3/10.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-3/10.yml
index 782e72ac56..d762480a6a 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-3/10.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-3/10.yml
@@ -1,14 +1,14 @@
date: '2022-06-28'
sections:
security_fixes:
- - "**MEDIUM**: Ensures that `github.company.com` and `github-company.com` are not evaluated by internal services as identical hostnames, preventing a potential server-side security forgery (SSRF) attack."
+ - "**MÉDIO**: Garante que o `github.company.com` e `github-company.com` não sejam avaliados por serviços internos como nomes de host idênticos, impedindo um potencial ataque de segurança do lado do servidor (SSRF)."
- "**LOW**: An attacker could access the Management Console with a path traversal attack via HTTP even if external firewall rules blocked HTTP access."
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - In some cases, site administrators were not automatically added as enterprise owners.
- - After merging a branch into the default branch, the "History" link for a file would still link to the previous branch instead of the target branch.
+ - Em alguns casos, os administradores do site não foram automaticamente adicionados como proprietários da empresa.
+ - Depois de fazer o merge de um branch no branch padrão, o link "Histórico" para um arquivo ainda seria um link para o branch anterior ao invés do branch de destino.
changes:
- - Creating or updating check runs or check suites could return `500 Internal Server Error` if the value for certain fields, like the name, was too long.
+ - A criação ou atualização das execuções de verificação ou conjuntos de verificações pode retornar `500 Internal Server Error` se o valor para certos campos, assim como o nome, fosse muito longo.
known_issues:
- Após a atualização para {% data variables.product.prodname_ghe_server %} 3.3, {% data variables.product.prodname_actions %} pode não ser iniciado automaticamente. Para resolver esse problema, conecte-se ao dispositivo via SSH e execute o comando `ghe-actions-start`.
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-3/9.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-3/9.yml
index bdd1521fa1..411610208e 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-3/9.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-3/9.yml
@@ -4,16 +4,16 @@ sections:
security_fixes:
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - An internal script to validate hostnames in the {% data variables.product.prodname_ghe_server %} configuration file would return an error if the hostname string started with a "." (period character).
- - In HA configurations where the primary node's hostname was longer than 60 characters, MySQL would fail to be configured
- - The `--gateway` argument was added to the `ghe-setup-network` command, to allow passing the gateway address when configuring network settings using the command line.
- - Image attachments that were deleted would return a `500 Internal Server Error` instead of a `404 Not Found` error.
- - The calculation of "maximum committers across entire instance" reported in the site admin dashboard was incorrect.
- - An incorrect database entry for repository replicas caused database corruption when performing a restore using {% data variables.product.prodname_enterprise_backup_utilities %}.
+ - Um script interno para validar nomes de host no arquivo de configuração {% data variables.product.prodname_ghe_server %} retornaria um erro se a string do nome de host iniciasse com um "." (caractere de ponto final).
+ - Nas configurações HA em que o nome de host do nó primário era maior que 60 caracteres, o MySQL falharia ao ser configurado
+ - O argumento "--gateway" foi adicionado ao comando "ghe-setup-network", para permitir passar o endereço de gateway ao definir as configurações da rede usando a linha de comando.
+ - Os anexos de imagem que foram excluídos retornariam um `500 Internal Server Error` em vez de `404 Not Found`.
+ - O cálculo de "máximo de committers em toda a instância" relatado no painel de administração do site estava incorreto.
+ - Uma entrada de banco de dados incorreta para réplicas do repositório causou erros de banco de dados ao executar uma restauração usando {% data variables.product.prodname_enterprise_backup_utilities %}.
changes:
- - Optimised the inclusion of metrics when generating a cluster support bundle.
- - In HA configurations where Elasticsearch reported a valid yellow status, changes introduced in a previous fix would block the `ghe-repl-stop` command and not allow replication to be stopped. Using `ghe-repo-stop --force` will now force Elasticsearch to stop when the service is in a normal or valid yellow status.
- - When using `ghe-migrator` or exporting from {% data variables.product.prodname_dotcom_the_website %}, migrations would fail to export pull request attachments.
+ - Otimizou a inclusão de métricas ao gerar um pacote de suporte para cluster.
+ - Nas configurações AH em que Elasticsearch relatou um status amarelo válido, as alterações introduzidas em uma correção anterior bloqueariam o comando `ghe-repl-stop` e não permitiriam que a replicação fosse interrompida. Usando `ghe-repo-stop --force` agora forçará o Elasticsearch a parar quando o serviço estiver em um status amarelo normal ou válido.
+ - Ao usar `ghe-migrator` ou exportar de {% data variables.product.prodname_dotcom_the_website %}, as migrações falhariam ao exportar anexos de pull request.
known_issues:
- Após a atualização para {% data variables.product.prodname_ghe_server %} 3.3, {% data variables.product.prodname_actions %} pode não ser iniciado automaticamente. Para resolver esse problema, conecte-se ao dispositivo via SSH e execute o comando `ghe-actions-start`.
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-4/3.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-4/3.yml
index 5cab420946..b3c638a617 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-4/3.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-4/3.yml
@@ -19,7 +19,7 @@ sections:
- Ao usar o GitHub Enterprise Importer para importar um repositório, alguns problemas falhariam na importação devido a eventos da linha do tempo do projeto configurados incorretamente.
- Ao usar `ghe-migrator`, uma migração falharia na importação de anexos do arquivo de vídeo em problemas e pull requests.
- 'The Releases page would return a 500 error when the repository has tags that contain non-ASCII characters. [Updated: 2022-06-10]'
- - 'Upgrades would sometimes fail while migrating dependency graph data. [Updated: 2022-06-30]'
+ - 'As vezes as atualizações falhariam ao migrar dados do gráfico de dependências. [Atualizado: 2022-06-30]'
changes:
- Nas configurações de alta disponibilidade, explique que a página de visão geral de replicação no Console de Gerenciamento exibe somente a configuração de replicação atual, não o status de replicação atual.
- O tempo limite de alocação do Nomad para o gráfico de dependência foi aumentado para garantir que as migrações pós-atualização possam ser concluídas.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-4/4.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-4/4.yml
index d9b41f7d4d..339dc6f255 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-4/4.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-4/4.yml
@@ -4,20 +4,20 @@ sections:
security_fixes:
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - An internal script to validate hostnames in the {% data variables.product.prodname_ghe_server %} configuration file would return an error if the hostname string started with a "." (period character).
- - In HA configurations where the primary node's hostname was longer than 60 characters, MySQL would fail to be configured.
- - When {% data variables.product.prodname_actions %} was enabled but TLS was disabled on {% data variables.product.prodname_ghe_server %} 3.4.1 and later, applying a configuration update would fail.
- - The `--gateway` argument was added to the `ghe-setup-network` command, to allow passing the gateway address when configuring network settings using the command line.
- - 'The [{% data variables.product.prodname_GH_advanced_security %} billing API](/rest/enterprise-admin/billing#get-github-advanced-security-active-committers-for-an-enterprise) endpoints were not enabled and accessible.'
- - Image attachments that were deleted would return a `500 Internal Server Error` instead of a `404 Not Found` error.
- - In environments configured with a repository cache server, the `ghe-repl-status` command incorrectly showed gists as being under-replicated.
- - The "Get a commit" and "Compare two commits" endpoints in the [Commit API](/rest/commits/commits) would return a `500` error if a file path in the diff contained an encoded and escaped unicode character.
- - The calculation of "maximum committers across entire instance" reported in the site admin dashboard was incorrect.
- - An incorrect database entry for repository replicas caused database corruption when performing a restore using {% data variables.product.prodname_enterprise_backup_utilities %}.
- - The activity timeline for secret scanning alerts wasn't displayed.
+ - Um script interno para validar nomes de host no arquivo de configuração {% data variables.product.prodname_ghe_server %} retornaria um erro se a string do nome de host iniciasse com um "." (caractere de ponto final).
+ - Em configurações HA,, em que o nome de host do nó primário era maior que 60 caracteres, o MySQL falharia na configuração.
+ - Quando {% data variables.product.prodname_actions %} foi habilitado, mas TLS foi desabilitado em {% data variables.product.prodname_ghe_server %} 3.4.1 e posterior, a aplicação de uma atualização de configuração falharia.
+ - O argumento "--gateway" foi adicionado ao comando "ghe-setup-network", para permitir passar o endereço de gateway ao definir as configurações da rede usando a linha de comando.
+ - 'Os pontos de extrmidade da [API de cobrança de {% data variables.product.prodname_GH_advanced_security %} API](/rest/enterprise-admin/billing#get-github-advanced-security-active-committers-for-an-enterprise) não estavam habilitados e não eram acessíveis.'
+ - Os anexos de imagem que foram excluídos retornariam um `500 Internal Server Error` em vez de `404 Not Found`.
+ - Em ambientes configurados com um servidor de cache de repositório, o comando `ghe-repl-status` mostrou incorretamente o gist como sendo sub-replicado.
+ - Os pontos de confirmação "Obter um commit" e "Comparar dois commits" na [API de commit](/rest/commits/commits) retornariam um erro `500` se um caminho de arquivo no diff contivesse um caractere unicode codificado e escapado.
+ - O cálculo de "máximo de committers em toda a instância" relatado no painel de administração do site estava incorreto.
+ - Uma entrada de banco de dados incorreta para réplicas do repositório causou erros de banco de dados ao executar uma restauração usando {% data variables.product.prodname_enterprise_backup_utilities %}.
+ - A linha do tempo de atividade para alertas de digitalização de segredo não foi exibida.
changes:
- - Optimised the inclusion of metrics when generating a cluster support bundle.
- - In HA configurations where Elasticsearch reported a valid yellow status, changes introduced in a previous fix would block the `ghe-repl-stop` command and not allow replication to be stopped. Using `ghe-repo-stop --force` will now force Elasticsearch to stop when the service is in a normal or valid yellow status.
+ - Otimizou a inclusão de métricas ao gerar um pacote de suporte para cluster.
+ - Nas configurações AH em que Elasticsearch relatou um status amarelo válido, as alterações introduzidas em uma correção anterior bloqueariam o comando `ghe-repl-stop` e não permitiriam que a replicação fosse interrompida. Usando `ghe-repo-stop --force` agora forçará o Elasticsearch a parar quando o serviço estiver em um status amarelo normal ou válido.
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-4/5.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-4/5.yml
index 8dfc112a50..8f7556a87c 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-4/5.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-4/5.yml
@@ -1,21 +1,21 @@
date: '2022-06-28'
sections:
security_fixes:
- - "**MEDIUM**: Prevents an attack where an `org` query string parameter can be specified for a GitHub Enterprise Server URL that then gives access to another organization's active committers."
- - "**MEDIUM**: Ensures that `github.company.com` and `github-company.com` are not evaluated by internal services as identical hostnames, preventing a potential server-side security forgery (SSRF) attack."
+ - "**MÉDIO**: Impede um ataque em que um parâmetro da string de consulta `org` pode ser especificado para uma URL do GitHub Enterprise Server que dê acesso aos committers ativos de outra organização."
+ - "**MÉDIO**: Garante que o `github.company.com` e `github-company.com` não sejam avaliados por serviços internos como nomes de host idênticos, impedindo um potencial ataque de segurança do lado do servidor (SSRF)."
- "**LOW**: An attacker could access the Management Console with a path traversal attack via HTTP even if external firewall rules blocked HTTP access."
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - Files inside an artifact archive were unable to be opened after decompression due to restrictive permissions.
- - Redis timeouts no longer halt database migrations while running `ghe-config-apply`.
- - Background job processors would get stuck in a partially shut-down state, resulting in certain kinds of background jobs (like code scanning) appearing stuck.
- - In some cases, site administrators were not automatically added as enterprise owners.
- - A rendering issue could affect the dropdown list for filtering secret scanning alerts in a repository.
+ - Os arquivos dentro de um arquivo artefato não puderam ser abertos após a descompactação devido a permissões restritivas.
+ - Tempo limite do Redis não para mais as migrações do banco de dados enquanto executa `ghe-config-apply`.
+ - Processadores de trabalho em segundo plano ficariam presos em um estado parcialmente desligado, resultando em certos tipos de trabalhos em segundo plano (como digitalização de código) que aparecem presos.
+ - Em alguns casos, os administradores do site não foram automaticamente adicionados como proprietários da empresa.
+ - Um problema de renderização pode afetar a lista suspensa para filtrar alertas de digitalização de segredo em um repositório.
changes:
- - Improved the performance of Dependabot version updates after first enabled.
- - The GitHub Pages build and synchronization timeouts are now configurable in the Management Console.
- - Creating or updating check runs or check suites could return `500 Internal Server Error` if the value for certain fields, like the name, was too long.
- - 'When [deploying cache-server nodes](/admin/enterprise-management/caching-repositories/configuring-a-repository-cache#configuring-a-repository-cache), it is now mandatory to describe the datacenter topology (using the `--datacenter` argument) for every node in the system. This requirement prevents situations where leaving datacenter membership set to "default" leads to workloads being inappropriately balanced across multiple datacenters.'
+ - Desempenho melhorado das atualizações da versão do Dependabot após a primeira habilitação.
+ - Os tempos de compilação e sincronização do GitHub Pages agora podem ser configurados no Console de Gerenciamento.
+ - A criação ou atualização das execuções de verificação ou conjuntos de verificações pode retornar `500 Internal Server Error` se o valor para certos campos, assim como o nome, fosse muito longo.
+ - 'Quando [implementar nós de cache-server](/admin/enterprise-management/caching-repositories/configuring-a-repository-cache#configuring-a-repository-cache), agora é obrigatório descrever a topologia do centro de dados (usando o argumento `--datacenter`) para cada nó no sistema. Este requisito impede situações em que deixar a associação do centro de dados definida como "padrão" faz com que as cargas de trabalho sejam inapropriadamente equilibradas entre vários centros de dados.'
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-5/0-rc1.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-5/0-rc1.yml
index 6e5402ebf3..cef99fc654 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-5/0-rc1.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-5/0-rc1.yml
@@ -37,11 +37,7 @@ sections:
heading: De modo geral, as atualizações do Dependabot estão disponíveis
notes:
- |
- A versão do Dependabot e as atualizações de segurança agora estão geralmente disponíveis no GitHub Enterprise Server 3.5. Todos os ecossistemas e recursos populares que funcionam em repositórios do GitHub.com podem ser configurados na sua instância do GitHub Enterprise Server. O Dependabot no GitHub Enterprise Server requer exige o GitHub Actions e um conjunto de executores de Dependabot auto-hospedados, GitHub Connect habilitado e Dependabot habilitado por um administrador.
-
- Seguindo a versão beta pública, daremos suporte ao uso de executores do GitHub Actions hospedados em uma configuração do Kubernetes.
-
- Para obter mais informações, consulte "[Configurar atualizações de dependabot](https://docs. ithub.com/pt/enterprise-server@3.5/admin/github-actions/enabling-github-actions-for-github-enterprise-server/setting-up-dependabot-updates)."
+ Dependabot version and security updates are now generally available in GitHub Enterprise Server 3.5. All the popular ecosystems and features that work on GitHub.com repositories now can be set up on your GitHub Enterprise Server instance. Dependabot on GitHub Enterprise Server requires GitHub Actions and a pool of self-hosted Dependabot runners, GitHub Connect enabled, and Dependabot enabled by an admin. For more information, see "[Setting up Dependabot updates](https://docs.github.com/en/enterprise-server@3.5/admin/github-actions/enabling-github-actions-for-github-enterprise-server/setting-up-dependabot-updates)."
-
heading: Estatísticas do Servidor na versão beta pública
notes:
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-5/0.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-5/0.yml
index 422701a3a3..d57ecce1a1 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-5/0.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-5/0.yml
@@ -29,11 +29,7 @@ sections:
heading: De modo geral, as atualizações do Dependabot estão disponíveis
notes:
- |
- A versão do Dependabot e as atualizações de segurança agora estão geralmente disponíveis no GitHub Enterprise Server 3.5. Todos os ecossistemas e recursos populares que funcionam em repositórios do GitHub.com podem ser configurados na sua instância do GitHub Enterprise Server. O Dependabot no GitHub Enterprise Server requer exige o GitHub Actions e um conjunto de executores de Dependabot auto-hospedados, GitHub Connect habilitado e Dependabot habilitado por um administrador.
-
- Seguindo a versão beta pública, daremos suporte ao uso de executores do GitHub Actions hospedados em uma configuração do Kubernetes.
-
- Para obter mais informações, consulte "[Configurar atualizações de dependabot](https://docs. ithub.com/pt/enterprise-server@3.5/admin/github-actions/enabling-github-actions-for-github-enterprise-server/setting-up-dependabot-updates)."
+ Dependabot version and security updates are now generally available in GitHub Enterprise Server 3.5. All the popular ecosystems and features that work on GitHub.com repositories now can be set up on your GitHub Enterprise Server instance. Dependabot on GitHub Enterprise Server requires GitHub Actions and a pool of self-hosted Dependabot runners, GitHub Connect enabled, and Dependabot enabled by an admin. For more information, see "[Setting up Dependabot updates](https://docs.github.com/en/enterprise-server@3.5/admin/github-actions/enabling-github-actions-for-github-enterprise-server/setting-up-dependabot-updates)."
-
heading: Estatísticas do Servidor na versão beta pública
notes:
@@ -328,7 +324,7 @@ sections:
heading: Change to the format of authentication tokens affects GitHub Connect
notes:
- |
- GitHub Connect will no longer work after June 3rd for instances running GitHub Enterprise Server 3.1 or older, due to the format of GitHub authentication tokens changing. To continue using GitHub Connect, upgrade to GitHub Enterprise Server 3.2 or later. For more information, see the [GitHub Blog](https://github.blog/2022-05-20-action-needed-by-github-connect-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Updated: 2022-06-14]
+ O GitHub Connect não funcionará mais após 3 de junho para instâncias executadas no GitHub Enterprise Server 3.1 ou anterior, devido à alteração no formato dos tokens de autenticação do GitHub. Para continuar usando o GitHub Connect, atualize para o GitHub Enterprise Server 3.2 ou superior. Para obter mais informações, consulte o [Blogue do GitHub](https://github.blog/2022-05-20-action-needed-by-github-customers-using-ghes-3-1-and-older-to-adopt-new-authentication-token-format-updates/). [Atualizado: 2022-06-14]
-
heading: Executor do CodeQL descontinuado em detrimento da CLI do CodeQL
notes:
@@ -349,4 +345,4 @@ sections:
- Os limites de recursos que são específicos para processamento de hooks pre-receive podem causar falha em alguns hooks pre-receive.
- Os serviços de ações precisam ser reiniciados após a restauração de um dispositivo de um backup em um host diferente.
- 'Deleted repositories will not be purged from disk automatically after the 90-day retention period ends. [Updated: 2022-06-08]'
- - 'Management Console may appear stuck on the _Starting_ screen after upgrading an under-provisioned instance to GitHub Enterprise Server 3.5. [Updated: 2022-06-20]'
+ - 'O Console de Gerenciamento pode aparecer preso na tela de _Starting_ depois de atualizar uma instância subprovisionada para o GitHub Enterprise Server 3.5. [Atualizado: 2022-06-20]'
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-5/1.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-5/1.yml
index daee44cedf..6d0e7dd938 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-5/1.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-5/1.yml
@@ -4,22 +4,22 @@ sections:
security_fixes:
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - An internal script to validate hostnames in the {% data variables.product.prodname_ghe_server %} configuration file would return an error if the hostname string started with a "." (period character).
- - In HA configurations where the primary node's hostname was longer than 60 characters, MySQL would fail to be configured.
- - When {% data variables.product.prodname_actions %} was enabled but TLS was disabled on {% data variables.product.prodname_ghe_server %} 3.4.1 and later, applying a configuration update would fail.
- - The `--gateway` argument was added to the `ghe-setup-network` command, to allow passing the gateway address when configuring network settings using the command line.
- - 'The [{% data variables.product.prodname_GH_advanced_security %} billing API](/rest/enterprise-admin/billing#get-github-advanced-security-active-committers-for-an-enterprise) endpoints were not enabled and accessible.'
- - Image attachments that were deleted would return a `500 Internal Server Error` instead of a `404 Not Found` error.
- - In environments configured with a repository cache server, the `ghe-repl-status` command incorrectly showed gists as being under-replicated.
- - The "Get a commit" and "Compare two commits" endpoints in the [Commit API](/rest/commits/commits) would return a `500` error if a file path in the diff contained an encoded and escaped unicode character.
- - The calculation of "maximum committers across entire instance" reported in the site admin dashboard was incorrect.
- - An incorrect database entry for repository replicas caused database corruption when performing a restore using {% data variables.product.prodname_enterprise_backup_utilities %}.
- - 'A {% data variables.product.prodname_github_app %} would not be able to subscribe to the [`secret_scanning_alert_location` webhook event](/developers/webhooks-and-events/webhooks/webhook-events-and-payloads#secret_scanning_alert_location) on an installation.'
- - The activity timeline for secret scanning alerts wasn't displayed.
- - Deleted repos were not purged after 90 days.
+ - Um script interno para validar nomes de host no arquivo de configuração {% data variables.product.prodname_ghe_server %} retornaria um erro se a string do nome de host iniciasse com um "." (caractere de ponto final).
+ - Em configurações HA,, em que o nome de host do nó primário era maior que 60 caracteres, o MySQL falharia na configuração.
+ - Quando {% data variables.product.prodname_actions %} foi habilitado, mas TLS foi desabilitado em {% data variables.product.prodname_ghe_server %} 3.4.1 e posterior, a aplicação de uma atualização de configuração falharia.
+ - O argumento "--gateway" foi adicionado ao comando "ghe-setup-network", para permitir passar o endereço de gateway ao definir as configurações da rede usando a linha de comando.
+ - 'Os pontos de extrmidade da [API de cobrança de {% data variables.product.prodname_GH_advanced_security %} API](/rest/enterprise-admin/billing#get-github-advanced-security-active-committers-for-an-enterprise) não estavam habilitados e não eram acessíveis.'
+ - Os anexos de imagem que foram excluídos retornariam um `500 Internal Server Error` em vez de `404 Not Found`.
+ - Em ambientes configurados com um servidor de cache de repositório, o comando `ghe-repl-status` mostrou incorretamente o gist como sendo sub-replicado.
+ - Os pontos de confirmação "Obter um commit" e "Comparar dois commits" na [API de commit](/rest/commits/commits) retornariam um erro `500` se um caminho de arquivo no diff contivesse um caractere unicode codificado e escapado.
+ - O cálculo de "máximo de committers em toda a instância" relatado no painel de administração do site estava incorreto.
+ - Uma entrada de banco de dados incorreta para réplicas do repositório causou erros de banco de dados ao executar uma restauração usando {% data variables.product.prodname_enterprise_backup_utilities %}.
+ - 'Um {% data variables.product.prodname_github_app %} não poderia assinar o evento [`secret_scanning_alert_location`](/developers/webhooks-and-events/webhooks/webhook-events-and-payloads#secret_scanning_alert_location) em uma instalação.'
+ - A linha do tempo de atividade para alertas de digitalização de segredo não foi exibida.
+ - Os repositórios excluídos não foram removidos após 90 dias.
changes:
- - Optimised the inclusion of metrics when generating a cluster support bundle.
- - In HA configurations where Elasticsearch reported a valid yellow status, changes introduced in a previous fix would block the `ghe-repl-stop` command and not allow replication to be stopped. Using `ghe-repo-stop --force` will now force Elasticsearch to stop when the service is in a normal or valid yellow status.
+ - Otimizou a inclusão de métricas ao gerar um pacote de suporte para cluster.
+ - Nas configurações AH em que Elasticsearch relatou um status amarelo válido, as alterações introduzidas em uma correção anterior bloqueariam o comando `ghe-repl-stop` e não permitiriam que a replicação fosse interrompida. Usando `ghe-repo-stop --force` agora forçará o Elasticsearch a parar quando o serviço estiver em um status amarelo normal ou válido.
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
@@ -29,5 +29,5 @@ sections:
- O registro npm de {% data variables.product.prodname_registry %} não retorna mais o valor de tempo em respostas de metadados. Isso foi feito para permitir melhorias substanciais de desempenho. Continuamos a ter todos os dados necessários para devolver um valor de tempo como parte da resposta aos metadados e retomaremos o retorno desse valor no futuro, assim que tivermos resolvido os problemas de desempenho existentes.
- Os limites de recursos que são específicos para processamento de hooks pre-receive podem causar falha em alguns hooks pre-receive.
- Os serviços de ações precisam ser reiniciados após a restauração de um dispositivo de um backup em um host diferente.
- - 'Deleted repositories will not be purged from disk automatically after the 90-day retention period ends. This issue is resolved in the 3.5.1 release. [Updated: 2022-06-10]'
- - 'Management Console may appear stuck on the _Starting_ screen after upgrading an under-provisioned instance to GitHub Enterprise Server 3.5. [Updated: 2022-06-20]'
+ - 'Os repositórios excluídos não serão removidos do disco automaticamente após o período de retenção de 90 dias. Esse problema é resolvido na versão 3.5.1. [Atualizado: 2022-06-10]'
+ - 'O Console de Gerenciamento pode aparecer preso na tela de _Starting_ depois de atualizar uma instância subprovisionada para o GitHub Enterprise Server 3.5. [Atualizado: 2022-06-20]'
diff --git a/translations/pt-BR/data/release-notes/enterprise-server/3-5/2.yml b/translations/pt-BR/data/release-notes/enterprise-server/3-5/2.yml
index 27797ad3ae..652ba642fd 100644
--- a/translations/pt-BR/data/release-notes/enterprise-server/3-5/2.yml
+++ b/translations/pt-BR/data/release-notes/enterprise-server/3-5/2.yml
@@ -1,28 +1,28 @@
date: '2022-06-28'
sections:
security_fixes:
- - "**MEDIUM**: Prevents an attack where an `org` query string parameter can be specified for a GitHub Enterprise Server URL that then gives access to another organization's active committers."
- - "**MEDIUM**: Ensures that `github.company.com` and `github-company.com` are not evaluated by internal services as identical hostnames, preventing a potential server-side security forgery (SSRF) attack."
+ - "**MÉDIO**: Impede um ataque em que um parâmetro da string de consulta `org` pode ser especificado para uma URL do GitHub Enterprise Server que dê acesso aos committers ativos de outra organização."
+ - "**MÉDIO**: Garante que o `github.company.com` e `github-company.com` não sejam avaliados por serviços internos como nomes de host idênticos, impedindo um potencial ataque de segurança do lado do servidor (SSRF)."
- "**LOW**: An attacker could access the Management Console with a path traversal attack via HTTP even if external firewall rules blocked HTTP access."
- Os pacotes foram atualizados para as últimas versões de segurança.
bugs:
- - Files inside an artifact archive were unable to be opened after decompression due to restrictive permissions.
- - In some cases, packages pushed to the Container registry were not visible in GitHub Enterprise Server's web UI.
- - Management Console would appear stuck on the _Starting_ screen after upgrading an under-provisioned instance to GitHub Enterprise Server 3.5.
- - Redis timeouts no longer halt database migrations while running `ghe-config-apply`.
- - Background job processors would get stuck in a partially shut-down state, resulting in certain kinds of background jobs (like code scanning) appearing stuck.
- - In some cases, site administrators were not automatically added as enterprise owners.
- - Actions workflows calling other reusable workflows failed to run on a schedule.
- - Resolving Actions using GitHub Connect failed briefly after changing repository visibility from public to internal.
+ - Os arquivos dentro de um arquivo artefato não puderam ser abertos após a descompactação devido a permissões restritivas.
+ - Em alguns casos, os pacotes enviados para o registro do contêiner não ficaram visíveis na interface de usuário web do GitHub Enterprise Server.
+ - O Console de Gerenciamento aparecerá preso na tela de _Starting_ depois de atualizar uma instância subprovisionada para o GitHub Enterprise Server 3.5.
+ - Tempo limite do Redis não para mais as migrações do banco de dados enquanto executa `ghe-config-apply`.
+ - Processadores de trabalho em segundo plano ficariam presos em um estado parcialmente desligado, resultando em certos tipos de trabalhos em segundo plano (como digitalização de código) que aparecem presos.
+ - Em alguns casos, os administradores do site não foram automaticamente adicionados como proprietários da empresa.
+ - Falha ao executar fluxos de trabalho que chamam outros fluxos de trabalho reutilizáveis para serem executados em um cronograma.
+ - A resolução de ações usando o GitHub Connect falhou brevemente após alterar a visibilidade do repositório de público para interno.
changes:
- - Improved the performance of Dependabot Updates when first enabled.
- - 'Increase maximum concurrent connections for Actions runners to support [the GHES performance target](/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server#review-hardware-requirements).'
- - The GitHub Pages build and synchronization timeouts are now configurable in the Management Console.
- - Added environment variable to configure Redis timeouts.
- - Creating or updating check runs or check suites could return `500 Internal Server Error` if the value for certain fields, like the name, was too long.
- - Improves performance in pull requests' "Files changed" tab when the diff includes many changes.
- - 'The Actions repository cache usage policy no longer accepts a maximum value less than 1 for [`max_repo_cache_size_limit_in_gb`](/rest/actions/cache#set-github-actions-cache-usage-policy-for-an-enterprise).'
- - 'When [deploying cache-server nodes](/admin/enterprise-management/caching-repositories/configuring-a-repository-cache#configuring-a-repository-cache), it is now mandatory to describe the datacenter topology (using the `--datacenter` argument) for every node in the system. This requirement prevents situations where leaving datacenter membership set to "default" leads to workloads being inappropriately balanced across multiple datacenters.'
+ - Melhorou o desempenho das atualizações do Dependabot quando habilitado primeiro.
+ - 'Aumenta as conexões simultâneas para executores de ações para apoiar [o objetivo de desempenho do GHES](/admin/github-actions/getting-started-with-github-actions-for-your-enterprise/getting-started-with-github-actions-for-github-enterprise-server#review-hardware-requirements).'
+ - Os tempos de compilação e sincronização do GitHub Pages agora podem ser configurados no Console de Gerenciamento.
+ - Adicionou a variável de ambiente para configurar período de tempo limite do Redis.
+ - A criação ou atualização das execuções de verificação ou conjuntos de verificações pode retornar `500 Internal Server Error` se o valor para certos campos, assim como o nome, fosse muito longo.
+ - Melhora o desempenho na guia "Arquivos alterados" das pull requests quando o diff inclui muitas alterações.
+ - 'A política de uso do cache do repositório de ações não aceita mais um valor máximo inferior a 1 para [`max_repo_cache_size_limit_in_gb`](/rest/actions/cache#set-github-actions-cache-usage-policy-for-an-enterprise).'
+ - 'Quando [implementar nós de cache-server](/admin/enterprise-management/caching-repositories/configuring-a-repository-cache#configuring-a-repository-cache), agora é obrigatório descrever a topologia do centro de dados (usando o argumento `--datacenter`) para cada nó no sistema. Este requisito impede situações em que deixar a associação do centro de dados definida como "padrão" faz com que as cargas de trabalho sejam inapropriadamente equilibradas entre vários centros de dados.'
known_issues:
- Em uma instância de {% data variables.product.prodname_ghe_server %} recém-configurada sem usuários, um invasor pode criar o primeiro usuário administrador.
- As regras de firewall personalizadas são removidas durante o processo de atualização.
@@ -32,4 +32,4 @@ sections:
- O registro npm de {% data variables.product.prodname_registry %} não retorna mais o valor de tempo em respostas de metadados. Isso foi feito para permitir melhorias substanciais de desempenho. Continuamos a ter todos os dados necessários para devolver um valor de tempo como parte da resposta aos metadados e retomaremos o retorno desse valor no futuro, assim que tivermos resolvido os problemas de desempenho existentes.
- Os limites de recursos que são específicos para processamento de hooks pre-receive podem causar falha em alguns hooks pre-receive.
- Os serviços de ações precisam ser reiniciados após a restauração de um dispositivo de um backup em um host diferente.
- - 'Deleted repositories will not be purged from disk automatically after the 90-day retention period ends. This issue is resolved in the 3.5.1 release. [Updated: 2022-06-10]'
+ - 'Os repositórios excluídos não serão removidos do disco automaticamente após o período de retenção de 90 dias. Esse problema é resolvido na versão 3.5.1. [Atualizado: 2022-06-10]'
diff --git a/translations/pt-BR/data/release-notes/github-ae/2022-05/2022-05-17.yml b/translations/pt-BR/data/release-notes/github-ae/2022-05/2022-05-17.yml
index f003aeb359..558393d90c 100644
--- a/translations/pt-BR/data/release-notes/github-ae/2022-05/2022-05-17.yml
+++ b/translations/pt-BR/data/release-notes/github-ae/2022-05/2022-05-17.yml
@@ -35,9 +35,9 @@ sections:
heading: 'Alertas do Dependabot'
notes:
- |
- Dependabot alerts can now notify you of vulnerabilities in your dependencies on GitHub AE. You can enable Dependabot alerts by enabling the dependency graph, enabling GitHub Connect, and syncing vulnerabilities from the GitHub Advisory Database. This feature is in beta and subject to change. For more information, see "[About Dependabot alerts](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts)."
+ Os alertas do dependabot agora podem notificar você de vulnerabilidades nas suas dependências do GitHub AE. Você pode habilitar alertas do Dependabot, habilitando o gráfico de dependências, habilitando o GitHub Connect e sincronizando vulnerabilidades do banco de dados de consultoria do GitHub. Este recurso está na versão beta e sujeito a alterações. Para obter mais informações, consulte "[Sobre alertas do Dependabot](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts).
- After you enable Dependabot alerts, members of your organization will receive notifications any time a new vulnerability that affects their dependencies is added to the GitHub Advisory Database or a vulnerable dependency is added to their manifest. Members can customize notification settings. For more information, see "[Configuring notifications for % data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)."
+ Após habilitar os alertas do dependabot, os integrantes da sua organização receberão notificações sempre que uma nova vulnerabilidade que afete suas dependências for adicionada ao banco de dados do GitHub Advisory ou uma dependência vulnerável for adicionada ao seu manifesto. Os integrantes podem personalizar as configurações de notificação. Para obter mais informações, consulte "[Configurando as notificações para % variáveis de dados.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/configuring-notifications-for-dependabot-alerts)."
-
heading: 'Função de gerente de segurança para organizações'
notes:
@@ -113,7 +113,7 @@ sections:
heading: 'Melhorias de Markdown'
notes:
- |
- You can now use footnote syntax in any Markdown field to reference relevant information without disrupting the flow of your prose. Footnotes are displayed as superscript links. Click a footnote to jump to the reference, displayed in a new section at the bottom of the document. For more information, see "[Basic writing and formatting syntax](/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax#footnotes)."
+ Agora você pode usar a sintaxe de nota de rodapé em qualquer campo Markdown para referenciar informações relevantes sem interromper o fluxo da sua prosa. As notas de rodapé são exibidas como links de superscript. Clique em uma nota de rodapé para saltar para a referência, exibida em uma nova seção na parte inferior do documento. Para obter mais informações, consulte "[Sintaxe de escrita e formatação básicas](/get-started/writing-on-github/getting-started-with-writing-and-formatting-on-github/basic-writing-and-formatting-syntax#footnotes)."
- |
Agora você pode alternar entre a exibição de origem e a exibição interpretada do Markdown através da interface do usuário da web clicando no botão {% octicon "code" aria-label="The Code icon" %} para "Exibir o diff de origem" na parte superior de qualquer arquivo do Markdown. Anteriormente, você precisava usar a vista do último responsável para vincular a números de linha específicos na fonte de um arquivo Markdown.
- |
diff --git a/translations/pt-BR/data/reusables/actions/about-secrets.md b/translations/pt-BR/data/reusables/actions/about-secrets.md
index d717cc9b0f..7e67aff95e 100644
--- a/translations/pt-BR/data/reusables/actions/about-secrets.md
+++ b/translations/pt-BR/data/reusables/actions/about-secrets.md
@@ -1 +1 @@
-Os segredos criptografados permitem que você armazene informações confidenciais, como tokens de acesso, no repositório{% ifversion fpt or ghes > 3.1 or ghae or ghec %}, ambientes do repositório,{% endif %} ou organização.
+Encrypted secrets allow you to store sensitive information, such as access tokens, in your repository, repository environments, or organization.
diff --git a/translations/pt-BR/data/reusables/actions/action-cache.md b/translations/pt-BR/data/reusables/actions/action-cache.md
index b004ebf2a9..8899fd7165 100644
--- a/translations/pt-BR/data/reusables/actions/action-cache.md
+++ b/translations/pt-BR/data/reusables/actions/action-cache.md
@@ -1 +1 @@
-actions/cache@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/cache@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-checkout.md b/translations/pt-BR/data/reusables/actions/action-checkout.md
index d63818bb6d..267388dd8a 100644
--- a/translations/pt-BR/data/reusables/actions/action-checkout.md
+++ b/translations/pt-BR/data/reusables/actions/action-checkout.md
@@ -1 +1 @@
-actions/checkout@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/checkout@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-codeql-action-analyze.md b/translations/pt-BR/data/reusables/actions/action-codeql-action-analyze.md
index 2dec4531ba..21a0532542 100644
--- a/translations/pt-BR/data/reusables/actions/action-codeql-action-analyze.md
+++ b/translations/pt-BR/data/reusables/actions/action-codeql-action-analyze.md
@@ -1 +1 @@
-github/codeql-action/analyze@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
\ No newline at end of file
+github/codeql-action/analyze@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-codeql-action-autobuild.md b/translations/pt-BR/data/reusables/actions/action-codeql-action-autobuild.md
index 998f453131..b72b8f9bd4 100644
--- a/translations/pt-BR/data/reusables/actions/action-codeql-action-autobuild.md
+++ b/translations/pt-BR/data/reusables/actions/action-codeql-action-autobuild.md
@@ -1 +1 @@
-github/codeql-action/autobuild@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
\ No newline at end of file
+github/codeql-action/autobuild@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-codeql-action-init.md b/translations/pt-BR/data/reusables/actions/action-codeql-action-init.md
index d27aea1005..3e0d94ea35 100644
--- a/translations/pt-BR/data/reusables/actions/action-codeql-action-init.md
+++ b/translations/pt-BR/data/reusables/actions/action-codeql-action-init.md
@@ -1 +1 @@
-github/codeql-action/init@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
\ No newline at end of file
+github/codeql-action/init@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-codeql-action-upload-sarif.md b/translations/pt-BR/data/reusables/actions/action-codeql-action-upload-sarif.md
index 6abc9fb99f..c91f71820f 100644
--- a/translations/pt-BR/data/reusables/actions/action-codeql-action-upload-sarif.md
+++ b/translations/pt-BR/data/reusables/actions/action-codeql-action-upload-sarif.md
@@ -1 +1 @@
-github/codeql-action/upload-sarif@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
\ No newline at end of file
+github/codeql-action/upload-sarif@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-delete-package-versions.md b/translations/pt-BR/data/reusables/actions/action-delete-package-versions.md
index 21777f5f93..1b6e049940 100644
--- a/translations/pt-BR/data/reusables/actions/action-delete-package-versions.md
+++ b/translations/pt-BR/data/reusables/actions/action-delete-package-versions.md
@@ -1 +1 @@
-actions/delete-package-versions@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/delete-package-versions@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-download-artifact.md b/translations/pt-BR/data/reusables/actions/action-download-artifact.md
index 75f89a7f5c..87dffa23a6 100644
--- a/translations/pt-BR/data/reusables/actions/action-download-artifact.md
+++ b/translations/pt-BR/data/reusables/actions/action-download-artifact.md
@@ -1 +1 @@
-actions/download-artifact@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/download-artifact@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-github-script.md b/translations/pt-BR/data/reusables/actions/action-github-script.md
index b58750886b..5fe7bbd846 100644
--- a/translations/pt-BR/data/reusables/actions/action-github-script.md
+++ b/translations/pt-BR/data/reusables/actions/action-github-script.md
@@ -1 +1 @@
-actions/github-script@{% ifversion actions-node16-action %}v6{% else %}v5{% endif %}
\ No newline at end of file
+actions/github-script@{% ifversion actions-node16-action %}v6{% else %}v5{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-labeler.md b/translations/pt-BR/data/reusables/actions/action-labeler.md
index 5f32c198f5..d466a32276 100644
--- a/translations/pt-BR/data/reusables/actions/action-labeler.md
+++ b/translations/pt-BR/data/reusables/actions/action-labeler.md
@@ -1 +1 @@
-actions/labeler@{% ifversion actions-node16-action %}v4{% else %}v3{% endif %}
\ No newline at end of file
+actions/labeler@{% ifversion actions-node16-action %}v4{% else %}v3{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-setup-dotnet.md b/translations/pt-BR/data/reusables/actions/action-setup-dotnet.md
index 88c1c810be..48fa303af5 100644
--- a/translations/pt-BR/data/reusables/actions/action-setup-dotnet.md
+++ b/translations/pt-BR/data/reusables/actions/action-setup-dotnet.md
@@ -1 +1 @@
-actions/setup-dotnet@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
\ No newline at end of file
+actions/setup-dotnet@{% ifversion actions-node16-action %}v2{% else %}v1{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-setup-go.md b/translations/pt-BR/data/reusables/actions/action-setup-go.md
index 4c9b23323b..9080cc8ba9 100644
--- a/translations/pt-BR/data/reusables/actions/action-setup-go.md
+++ b/translations/pt-BR/data/reusables/actions/action-setup-go.md
@@ -1 +1 @@
-actions/setup-go@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/setup-go@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-setup-java.md b/translations/pt-BR/data/reusables/actions/action-setup-java.md
index f543e4f32c..c4b149a03f 100644
--- a/translations/pt-BR/data/reusables/actions/action-setup-java.md
+++ b/translations/pt-BR/data/reusables/actions/action-setup-java.md
@@ -1 +1 @@
-actions/setup-java@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/setup-java@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-setup-node.md b/translations/pt-BR/data/reusables/actions/action-setup-node.md
index cd3e08d3cf..64420e9c97 100644
--- a/translations/pt-BR/data/reusables/actions/action-setup-node.md
+++ b/translations/pt-BR/data/reusables/actions/action-setup-node.md
@@ -1 +1 @@
-actions/setup-node@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/setup-node@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-stale.md b/translations/pt-BR/data/reusables/actions/action-stale.md
index d1e25aa5f0..25ed23c848 100644
--- a/translations/pt-BR/data/reusables/actions/action-stale.md
+++ b/translations/pt-BR/data/reusables/actions/action-stale.md
@@ -1 +1 @@
-actions/stale@{% ifversion actions-node16-action %}v5{% else %}v4{% endif %}
\ No newline at end of file
+actions/stale@{% ifversion actions-node16-action %}v5{% else %}v4{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/action-upload-artifact.md b/translations/pt-BR/data/reusables/actions/action-upload-artifact.md
index 24ef9d0f32..a2cd588fc4 100644
--- a/translations/pt-BR/data/reusables/actions/action-upload-artifact.md
+++ b/translations/pt-BR/data/reusables/actions/action-upload-artifact.md
@@ -1 +1 @@
-actions/upload-artifact@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
\ No newline at end of file
+actions/upload-artifact@{% ifversion actions-node16-action %}v3{% else %}v2{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/actions-audit-events-workflow.md b/translations/pt-BR/data/reusables/actions/actions-audit-events-workflow.md
index cb2a6bca84..aa657505c9 100644
--- a/translations/pt-BR/data/reusables/actions/actions-audit-events-workflow.md
+++ b/translations/pt-BR/data/reusables/actions/actions-audit-events-workflow.md
@@ -1,12 +1,12 @@
-| Ação | Descrição |
-| ------------------------------------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| `cancel_workflow_run` | Acionada quando uma execução do fluxo de trabalho foi cancelada. Para obter mais informações, consulte "[Cancelando um fluxo de trabalho](/actions/managing-workflow-runs/canceling-a-workflow)".{% endif %}{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
-| `completed_workflow_run` | Acionada quando um status de fluxo de trabalho é alterado para `concluído`. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Visualizar histórico de execução de fluxo de trabalho](/actions/managing-workflow-runs/viewing-workflow-run-history)".{% endif %}{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
-| `created_workflow_run` | Acionada quando uma execução do fluxo de trabalho é criada. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Criar um exemplo de um fluxo de trabalho](/actions/learn-github-actions/introduction-to-github-actions#create-an-example-workflow)".{% endif %}{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| `delete_workflow_run` | Acionada quando a execução do fluxo de trabalho é excluída. Para obter mais informações, consulte "[Excluir uma execução de fluxo de trabalho](/actions/managing-workflow-runs/deleting-a-workflow-run)". |
-| `disable_workflow` | Acionada quando um fluxo de trabalho está desabilitado. |
-| `enable_workflow` | Acionada quando um fluxo de trabalho é habilitado, depois de previamente desabilitado por `disable_workflow`. |
-| `rerun_workflow_run` | Acionada quando uma execução do fluxo de trabalho é executada novamente. Para obter mais informações, consulte "[Executar novamente um fluxo de trabalho](/actions/managing-workflow-runs/re-running-a-workflow)".{% endif %}{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
-| `prepared_workflow_job` | Acionada quando um trabalho no fluxo de trabalho é iniciado. Inclui a lista de segredos que foram fornecidos ao trabalho. Só pode ser visto usando a API REST. Não é visível na interface da web de {% data variables.product.prodname_dotcom %} ou incluído na exportação do JSON/CSV. Para obter mais informações, consulte "[Eventos que acionam fluxos de trabalho](/actions/reference/events-that-trigger-workflows)".{% endif %}{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| `approve_workflow_job` | Acionada quando um trabalho no fluxo de trabalho foi aprovado. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." |
-| `reject_workflow_job` | Acionada quando um trabalho no fluxo de trabalho foi rejeitado. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)".{% endif %}
+| Ação | Descrição |
+| ------------------------ | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| `cancel_workflow_run` | Acionada quando uma execução do fluxo de trabalho foi cancelada. Para obter mais informações, consulte "[Cancelando um fluxo de trabalho](/actions/managing-workflow-runs/canceling-a-workflow)".{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
+| `completed_workflow_run` | Acionada quando um status de fluxo de trabalho é alterado para `concluído`. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Visualizar histórico de execução de fluxo de trabalho](/actions/managing-workflow-runs/viewing-workflow-run-history)".{% endif %}{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
+| `created_workflow_run` | Acionada quando uma execução do fluxo de trabalho é criada. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Criar um exemplo de um fluxo de trabalho](/actions/learn-github-actions/introduction-to-github-actions#create-an-example-workflow)".{% endif %}
+| `delete_workflow_run` | Acionada quando a execução do fluxo de trabalho é excluída. Para obter mais informações, consulte "[Excluir uma execução de fluxo de trabalho](/actions/managing-workflow-runs/deleting-a-workflow-run)". |
+| `disable_workflow` | Acionada quando um fluxo de trabalho está desabilitado. |
+| `enable_workflow` | Acionada quando um fluxo de trabalho é habilitado, depois de previamente desabilitado por `disable_workflow`. |
+| `rerun_workflow_run` | Acionada quando uma execução do fluxo de trabalho é executada novamente. Para obter mais informações, consulte "[Executar novamente um fluxo de trabalho](/actions/managing-workflow-runs/re-running-a-workflow)".{% ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
+| `prepared_workflow_job` | Acionada quando um trabalho no fluxo de trabalho é iniciado. Inclui a lista de segredos que foram fornecidos ao trabalho. Só pode ser visto usando a API REST. Não é visível na interface da web de {% data variables.product.prodname_dotcom %} ou incluído na exportação do JSON/CSV. Para obter mais informações, consulte "[Eventos que acionam fluxos de trabalho](/actions/reference/events-that-trigger-workflows)".{% endif %}
+| `approve_workflow_job` | Acionada quando um trabalho no fluxo de trabalho foi aprovado. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." |
+| `reject_workflow_job` | Acionada quando um trabalho no fluxo de trabalho foi rejeitado. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." |
diff --git a/translations/pt-BR/data/reusables/actions/actions-on-examples.md b/translations/pt-BR/data/reusables/actions/actions-on-examples.md
index fa9f366256..fe4175629d 100644
--- a/translations/pt-BR/data/reusables/actions/actions-on-examples.md
+++ b/translations/pt-BR/data/reusables/actions/actions-on-examples.md
@@ -16,4 +16,4 @@
### Usando tipos de atividade e filtros com vários eventos
-{% data reusables.actions.actions-multiple-types %}
\ No newline at end of file
+{% data reusables.actions.actions-multiple-types %}
diff --git a/translations/pt-BR/data/reusables/actions/allow-specific-actions-intro.md b/translations/pt-BR/data/reusables/actions/allow-specific-actions-intro.md
index 7141410c80..766622a77d 100644
--- a/translations/pt-BR/data/reusables/actions/allow-specific-actions-intro.md
+++ b/translations/pt-BR/data/reusables/actions/allow-specific-actions-intro.md
@@ -5,8 +5,8 @@
Ao escolher {% data reusables.actions.policy-label-for-select-actions-workflows %}, as ações locais{% ifversion actions-workflow-policy %} e e os fluxos de trabalho reutilizáveis{% endif %} são permitidos, e existem opções adicionais para permitir outras ações específicas{% ifversion actions-workflow-policy %} e fluxos de trabalho reutilizáveis{% endif %}:
-- **Permitir ações criadas por {% data variables.product.prodname_dotcom %}:** Você pode permitir que todas as ações criadas por {% data variables.product.prodname_dotcom %} sejam usadas por fluxos de trabalho. Ações criadas por {% data variables.product.prodname_dotcom %} estão localizadas em `ações` e nas organizações do `github`. Para obter mais informações, consulte as [`ações`](https://github.com/actions) e organizações do [`github`](https://github.com/github).{% ifversion fpt or ghes or ghae or ghec %}
-- **Permitir ações do Marketplace por criadores verificados:** {% ifversion ghes or ghae %}Esta opção está disponível se você tiver {% data variables.product.prodname_github_connect %} habilitado e configurado com {% data variables.product.prodname_actions %}. Para obter mais informações, consulte "[Habilitando o acesso automático às ações do GitHub.com usando o GitHub Connect](/admin/github-actions/managing-access-to-actions-from-githubcom/enabling-automatic-access-to-githubcom-actions-using-github-connect).{% endif %} Você pode permitir que todas as ações de {% data variables.product.prodname_marketplace %} criadas por criadores verificados sejam usadas por fluxos de trabalho. Quando o GitHub tiver verificado o criador da ação como uma organização parceira, o selo {% octicon "verified" aria-label="The verified badge" %} será exibido ao lado da ação em {% data variables.product.prodname_marketplace %}.{% endif %}
+- **Permitir ações criadas por {% data variables.product.prodname_dotcom %}:** Você pode permitir que todas as ações criadas por {% data variables.product.prodname_dotcom %} sejam usadas por fluxos de trabalho. Ações criadas por {% data variables.product.prodname_dotcom %} estão localizadas em `ações` e nas organizações do `github`. Para obter mais informações, consulte as [`ações`](https://github.com/actions) e as organizações do [`github`](https://github.com/github).
+- **Permitir ações do Marketplace por criadores verificados:** {% ifversion ghes or ghae %}Esta opção está disponível se você tiver {% data variables.product.prodname_github_connect %} habilitado e configurado com {% data variables.product.prodname_actions %}. Para obter mais informações, consulte "[Habilitando o acesso automático às ações do GitHub.com usando o GitHub Connect](/admin/github-actions/managing-access-to-actions-from-githubcom/enabling-automatic-access-to-githubcom-actions-using-github-connect).{% endif %} Você pode permitir que todas as ações de {% data variables.product.prodname_marketplace %} criadas por criadores verificados sejam usadas por fluxos de trabalho. Quando o GitHub verificou o criador da ação como uma organização parceira, o selo de {% octicon "verified" aria-label="The verified badge" %} é exibido ao lado da ação em {% data variables.product.prodname_marketplace %}.
- **Permitir ações especificadas{% ifversion actions-workflow-policy %} e fluxos de trabalho reutilizáveis{% endif %}:** Você pode restringir que os fluxos de trabalho usem ações{% ifversion actions-workflow-policy %} e fluxos de trabalho reutilizáveis{% endif %} em organizações e repositórios específicos.
Para restringir o acesso a tags específicas ou commit SHAs de uma ação{% ifversion actions-workflow-policy %} ou um fluxo de trabalhoreutilizável{% endif %}, use a mesma sintaxe usada no fluxo de trabalho para selecionar a ação{% ifversion actions-workflow-policy %} ou fluxo de trabalho reutilizável{% endif %}.
diff --git a/translations/pt-BR/data/reusables/actions/cache-default-size.md b/translations/pt-BR/data/reusables/actions/cache-default-size.md
index f88cc35a53..2c71d2a898 100644
--- a/translations/pt-BR/data/reusables/actions/cache-default-size.md
+++ b/translations/pt-BR/data/reusables/actions/cache-default-size.md
@@ -1 +1 @@
-Por padrão, o armazenamento de cache total que {% data variables.product.prodname_actions %} usa no armazenamento externo para {% data variables.product.product_location %} tem um limite máximo de 10 GB por repositório, e o tamanho máximo permitido para um repositório é de 25 GB.
\ No newline at end of file
+Por padrão, o armazenamento de cache total que {% data variables.product.prodname_actions %} usa no armazenamento externo para {% data variables.product.product_location %} tem um limite máximo de 10 GB por repositório, e o tamanho máximo permitido para um repositório é de 25 GB.
diff --git a/translations/pt-BR/data/reusables/actions/cache-eviction-process.md b/translations/pt-BR/data/reusables/actions/cache-eviction-process.md
index fd48330f17..87c91de116 100644
--- a/translations/pt-BR/data/reusables/actions/cache-eviction-process.md
+++ b/translations/pt-BR/data/reusables/actions/cache-eviction-process.md
@@ -1 +1 @@
-Se você exceder o limite, o {% data variables.product.prodname_dotcom %} salvará o novo cache, mas começará a despejar os caches até que o tamanho total seja menor que o limite do repositório.
\ No newline at end of file
+Se você exceder o limite, o {% data variables.product.prodname_dotcom %} salvará o novo cache, mas começará a despejar os caches até que o tamanho total seja menor que o limite do repositório.
diff --git a/translations/pt-BR/data/reusables/actions/caching-availability.md b/translations/pt-BR/data/reusables/actions/caching-availability.md
index 03ed449b09..093187bff1 100644
--- a/translations/pt-BR/data/reusables/actions/caching-availability.md
+++ b/translations/pt-BR/data/reusables/actions/caching-availability.md
@@ -1 +1 @@
-{% data variables.product.prodname_actions %} de cache só está disponível para repositórios hospedados em {% data variables.product.prodname_dotcom_the_website %} ou {% data variables.product.prodname_ghe_server %} 3.5 e posterior. Para obter mais informações, consulte "[Memorizar dependências para acelerar fluxos de trabalho]({% ifversion actions-caching %}{% else %}/free-pro-team@latest{% endif %}/actions/guides/caching-dependencies-to-speed-up-workflows)".
\ No newline at end of file
+{% data variables.product.prodname_actions %} de cache só está disponível para repositórios hospedados em {% data variables.product.prodname_dotcom_the_website %} ou {% data variables.product.prodname_ghe_server %} 3.5 e posterior. Para obter mais informações, consulte "[Memorizar dependências para acelerar fluxos de trabalho]({% ifversion actions-caching %}{% else %}/free-pro-team@latest{% endif %}/actions/guides/caching-dependencies-to-speed-up-workflows)".
diff --git a/translations/pt-BR/data/reusables/actions/checkout-action-table-entry.md b/translations/pt-BR/data/reusables/actions/checkout-action-table-entry.md
index 87fcfb6cf7..be8fabeddb 100644
--- a/translations/pt-BR/data/reusables/actions/checkout-action-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/checkout-action-table-entry.md
@@ -1 +1 @@
-| Clonando o repositório para o executor: | [`actions/checkout`](https://github.com/actions/checkout)|
\ No newline at end of file
+| Clonando o repositório para o executor: | [`actions/checkout`](https://github.com/actions/checkout)|
diff --git a/translations/pt-BR/data/reusables/actions/concurrency-table-entry.md b/translations/pt-BR/data/reusables/actions/concurrency-table-entry.md
index 23014ab31e..ef6f93cca8 100644
--- a/translations/pt-BR/data/reusables/actions/concurrency-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/concurrency-table-entry.md
@@ -1 +1 @@
-| Controlando quantas execuções de fluxo de trabalho ou trabalhos podem ser executados ao mesmo tempo: | [`concorrência`](/actions/using-jobs/using-concurrency)|
\ No newline at end of file
+| Controlando quantas execuções de fluxo de trabalho ou trabalhos podem ser executados ao mesmo tempo: | [`concorrência`](/actions/using-jobs/using-concurrency)|
diff --git a/translations/pt-BR/data/reusables/actions/cron-table-entry.md b/translations/pt-BR/data/reusables/actions/cron-table-entry.md
index 0146f72fc7..617d800d2f 100644
--- a/translations/pt-BR/data/reusables/actions/cron-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/cron-table-entry.md
@@ -1 +1 @@
-| Executando um fluxo de trabalho em intervalos regulares: | [`cronograma`](/actions/learn-github-actions/events-that-trigger-workflows#schedule) |
\ No newline at end of file
+| Executando um fluxo de trabalho em intervalos regulares: | [`cronograma`](/actions/learn-github-actions/events-that-trigger-workflows#schedule) |
diff --git a/translations/pt-BR/data/reusables/actions/enable-debug-logging-cli.md b/translations/pt-BR/data/reusables/actions/enable-debug-logging-cli.md
index 04eeb5d345..de2c5923ed 100644
--- a/translations/pt-BR/data/reusables/actions/enable-debug-logging-cli.md
+++ b/translations/pt-BR/data/reusables/actions/enable-debug-logging-cli.md
@@ -1 +1 @@
-Para habilitar habilitar o log de diagnóstico do executor e o log de depuração da etapa para a reexecução, use o sinalizador `--debug`.
\ No newline at end of file
+Para habilitar habilitar o log de diagnóstico do executor e o log de depuração da etapa para a reexecução, use o sinalizador `--debug`.
diff --git a/translations/pt-BR/data/reusables/actions/enable-debug-logging.md b/translations/pt-BR/data/reusables/actions/enable-debug-logging.md
index 74ab5f31e8..43179b18ac 100644
--- a/translations/pt-BR/data/reusables/actions/enable-debug-logging.md
+++ b/translations/pt-BR/data/reusables/actions/enable-debug-logging.md
@@ -1,3 +1,3 @@
{% ifversion debug-reruns %}
1. Opcionalmente, para habilitar o log de diagnóstico do executor e a etapa de log de depuração para a reexecução, selecione **Habilitar log de depuração**. 
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/example-diagram-intro.md b/translations/pt-BR/data/reusables/actions/example-diagram-intro.md
index 4a1a3af88f..176ffc9d1a 100644
--- a/translations/pt-BR/data/reusables/actions/example-diagram-intro.md
+++ b/translations/pt-BR/data/reusables/actions/example-diagram-intro.md
@@ -1 +1 @@
-O diagrama a seguir mostra uma visão de alto nível das etapas do fluxo de trabalho e como elas são executadas dentro do trabalho:
\ No newline at end of file
+O diagrama a seguir mostra uma visão de alto nível das etapas do fluxo de trabalho e como elas são executadas dentro do trabalho:
diff --git a/translations/pt-BR/data/reusables/actions/example-docs-engineering-intro.md b/translations/pt-BR/data/reusables/actions/example-docs-engineering-intro.md
index 534953ca4b..4d02a3e5cb 100644
--- a/translations/pt-BR/data/reusables/actions/example-docs-engineering-intro.md
+++ b/translations/pt-BR/data/reusables/actions/example-docs-engineering-intro.md
@@ -1 +1 @@
-O fluxo de trabalho a seguir foi criado pela equipe de Engenharia de {% data variables.product.prodname_dotcom %} Para revisar a versão mais recente deste arquivo no repositório [`github/docs`](https://github.com/github/docs), consulte
\ No newline at end of file
+O fluxo de trabalho a seguir foi criado pela equipe de Engenharia de {% data variables.product.prodname_dotcom %} Para revisar a versão mais recente deste arquivo no repositório [`github/docs`](https://github.com/github/docs), consulte
diff --git a/translations/pt-BR/data/reusables/actions/example-explanation-table-intro.md b/translations/pt-BR/data/reusables/actions/example-explanation-table-intro.md
index 75fef6a1f2..ee9b239012 100644
--- a/translations/pt-BR/data/reusables/actions/example-explanation-table-intro.md
+++ b/translations/pt-BR/data/reusables/actions/example-explanation-table-intro.md
@@ -1 +1 @@
-A tabela a seguir explica como cada um desses recursos são usados ao criar um fluxo de trabalho de {% data variables.product.prodname_actions %}.
\ No newline at end of file
+A tabela a seguir explica como cada um desses recursos são usados ao criar um fluxo de trabalho de {% data variables.product.prodname_actions %}.
diff --git a/translations/pt-BR/data/reusables/actions/example-table-intro.md b/translations/pt-BR/data/reusables/actions/example-table-intro.md
index b7cde488cd..f6f2c830c1 100644
--- a/translations/pt-BR/data/reusables/actions/example-table-intro.md
+++ b/translations/pt-BR/data/reusables/actions/example-table-intro.md
@@ -1 +1 @@
-O exemplo de fluxo de trabalho demonstra os seguintes recursps de {% data variables.product.prodname_actions %}:
\ No newline at end of file
+O exemplo de fluxo de trabalho demonstra os seguintes recursps de {% data variables.product.prodname_actions %}:
diff --git a/translations/pt-BR/data/reusables/actions/example-workflow-intro-ci.md b/translations/pt-BR/data/reusables/actions/example-workflow-intro-ci.md
index 09614de012..b226fe83a6 100644
--- a/translations/pt-BR/data/reusables/actions/example-workflow-intro-ci.md
+++ b/translations/pt-BR/data/reusables/actions/example-workflow-intro-ci.md
@@ -1 +1 @@
-Este artigo usa um exemplo de fluxo de trabalho para demonstrar algumas das principais funcionalidades da CI de {% data variables.product.prodname_actions %}.
\ No newline at end of file
+Este artigo usa um exemplo de fluxo de trabalho para demonstrar algumas das principais funcionalidades da CI de {% data variables.product.prodname_actions %}.
diff --git a/translations/pt-BR/data/reusables/actions/explanation-name-key.md b/translations/pt-BR/data/reusables/actions/explanation-name-key.md
index eeb36d52ef..aea44d1432 100644
--- a/translations/pt-BR/data/reusables/actions/explanation-name-key.md
+++ b/translations/pt-BR/data/reusables/actions/explanation-name-key.md
@@ -1 +1 @@
-O nome do fluxo de trabalho como ele aparecerá na aba "Ações" do repositório de {% data variables.product.prodname_dotcom %}.
\ No newline at end of file
+O nome do fluxo de trabalho como ele aparecerá na aba "Ações" do repositório de {% data variables.product.prodname_dotcom %}.
diff --git a/translations/pt-BR/data/reusables/actions/ghes-actions-not-enabled-by-default.md b/translations/pt-BR/data/reusables/actions/ghes-actions-not-enabled-by-default.md
index ba7a3362ed..e6b3959fa6 100644
--- a/translations/pt-BR/data/reusables/actions/ghes-actions-not-enabled-by-default.md
+++ b/translations/pt-BR/data/reusables/actions/ghes-actions-not-enabled-by-default.md
@@ -1 +1 @@
-Por padrão, {% data variables.product.prodname_actions %} não está habilitado para {% data variables.product.prodname_ghe_server %}.
\ No newline at end of file
+Por padrão, {% data variables.product.prodname_actions %} não está habilitado para {% data variables.product.prodname_ghe_server %}.
diff --git a/translations/pt-BR/data/reusables/actions/github-connect-resolution.md b/translations/pt-BR/data/reusables/actions/github-connect-resolution.md
index b313096713..83b28ddd5e 100644
--- a/translations/pt-BR/data/reusables/actions/github-connect-resolution.md
+++ b/translations/pt-BR/data/reusables/actions/github-connect-resolution.md
@@ -1 +1 @@
-Quando um fluxo de trabalho usa uma ação, fazendo referência ao repositório onde a ação é armazenada, {% data variables.product.prodname_actions %} primeiro tentará encontrar o repositório em {% data variables.product.product_location %}. Se o repositório não existir em {% data variables.product.product_location %} e se você tiver acesso automático para {% data variables.product.prodname_dotcom_the_website %} habilitado, {% data variables.product.prodname_actions %} tentará encontrar o repositório em {% data variables.product.prodname_dotcom_the_website %}.
\ No newline at end of file
+Quando um fluxo de trabalho usa uma ação, fazendo referência ao repositório onde a ação é armazenada, {% data variables.product.prodname_actions %} primeiro tentará encontrar o repositório em {% data variables.product.product_location %}. Se o repositório não existir em {% data variables.product.product_location %} e se você tiver acesso automático para {% data variables.product.prodname_dotcom_the_website %} habilitado, {% data variables.product.prodname_actions %} tentará encontrar o repositório em {% data variables.product.prodname_dotcom_the_website %}.
diff --git a/translations/pt-BR/data/reusables/actions/github-token-expiration.md b/translations/pt-BR/data/reusables/actions/github-token-expiration.md
index 6c4c246ab4..b38565bc8e 100644
--- a/translations/pt-BR/data/reusables/actions/github-token-expiration.md
+++ b/translations/pt-BR/data/reusables/actions/github-token-expiration.md
@@ -1 +1 @@
-O `GITHUB_TOKEN` vence quando um trabalho for concluído ou após um máximo de 24 horas.
\ No newline at end of file
+O `GITHUB_TOKEN` vence quando um trabalho for concluído ou após um máximo de 24 horas.
diff --git a/translations/pt-BR/data/reusables/actions/github-token-permissions.md b/translations/pt-BR/data/reusables/actions/github-token-permissions.md
index f86cf38439..8d9b39e6e2 100644
--- a/translations/pt-BR/data/reusables/actions/github-token-permissions.md
+++ b/translations/pt-BR/data/reusables/actions/github-token-permissions.md
@@ -1 +1 @@
-O segredo `GITHUB_TOKEN` é definido como um token de acesso para o repositório toda vez que um trabalho de um fluxo de trabalho for iniciado. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}Você deverá definir as permissões para este token de acesso no arquivo do fluxo de trabalho para conceder acesso de leitura para o `conteúdo` escopo e acesso de gravação para o escopo `pacotes`. {% else %}tem permissões de leitura e gravação para pacotes no repositório em que o fluxo de trabalho é executado. {% endif %}Para obter mais informações, consulte[Efetuar a autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
+O segredo `GITHUB_TOKEN` é definido como um token de acesso para o repositório toda vez que um trabalho de um fluxo de trabalho for iniciado. You should set the permissions for this access token in the workflow file to grant read access for the `contents` scope and write access for the `packages` scope. Para obter mais informações, consulte "[Autenticação com o GITHUB_TOKEN](/actions/configuring-and-managing-workflows/authenticating-with-the-github_token)".
diff --git a/translations/pt-BR/data/reusables/actions/github_token-input-example.md b/translations/pt-BR/data/reusables/actions/github_token-input-example.md
index c521e5ecd0..972f807981 100644
--- a/translations/pt-BR/data/reusables/actions/github_token-input-example.md
+++ b/translations/pt-BR/data/reusables/actions/github_token-input-example.md
@@ -4,11 +4,10 @@ Este exemplo de fluxo de trabalho usa a [ação etiquetadora](https://github.com
name: Pull request labeler
on: [ pull_request_target ]
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}permissions:
+permissions:
contents: read
pull-requests: write
-{% endif %}
jobs:
triage:
runs-on: ubuntu-latest
diff --git a/translations/pt-BR/data/reusables/actions/if-conditions-table-entry.md b/translations/pt-BR/data/reusables/actions/if-conditions-table-entry.md
index 45cf6606af..a666b04d90 100644
--- a/translations/pt-BR/data/reusables/actions/if-conditions-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/if-conditions-table-entry.md
@@ -1 +1 @@
-| Impedindo que um trabalho seja executado a menos que condições específicas sejam atendidas: | [`se`](/actions/using-jobs/using-conditions-to-control-job-execution)|
\ No newline at end of file
+| Impedindo que um trabalho seja executado a menos que condições específicas sejam atendidas: | [`se`](/actions/using-jobs/using-conditions-to-control-job-execution)|
diff --git a/translations/pt-BR/data/reusables/actions/inputs-vs-github-event-inputs.md b/translations/pt-BR/data/reusables/actions/inputs-vs-github-event-inputs.md
index 814941103d..7d91353e47 100644
--- a/translations/pt-BR/data/reusables/actions/inputs-vs-github-event-inputs.md
+++ b/translations/pt-BR/data/reusables/actions/inputs-vs-github-event-inputs.md
@@ -2,7 +2,7 @@
{% note %}
-**Note**: The workflow will also receive the inputs in the `github.event.inputs` context. The information in the `inputs` context and `github.event.inputs` context is identical except that the `inputs` context preserves Boolean values as Booleans instead of converting them to strings.
+**Observação**: O fluxo de trabalho também receberá as entradas no contexto `github.event.inputs`. A informação no contexto `entradas` e `github.event.inputs` é idêntica, exceto que o contexto `entrada` preserva valores booleanos como booleanos em vez de convertê-los em strings.
{% endnote %}
{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/jobs/matrix-add-with-include.md b/translations/pt-BR/data/reusables/actions/jobs/matrix-add-with-include.md
index d692e616d4..db3c5ba6a6 100644
--- a/translations/pt-BR/data/reusables/actions/jobs/matrix-add-with-include.md
+++ b/translations/pt-BR/data/reusables/actions/jobs/matrix-add-with-include.md
@@ -26,4 +26,4 @@ jobs:
- site: "staging"
datacenter: "site-b"
-```
\ No newline at end of file
+```
diff --git a/translations/pt-BR/data/reusables/actions/learning-actions.md b/translations/pt-BR/data/reusables/actions/learning-actions.md
index 80c67d6f94..8d35d6e9fe 100644
--- a/translations/pt-BR/data/reusables/actions/learning-actions.md
+++ b/translations/pt-BR/data/reusables/actions/learning-actions.md
@@ -1,4 +1,4 @@
- Para aprender sobre os conceitos de {% data variables.product.prodname_actions %}, consulte "[Entendendo o GitHub Actions](/actions/learn-github-actions/understanding-github-actions)."
- Para mais guias passo a passo para criar um fluxo de trabalho básico, consulte "[Início rápido para o GitHub Actions](/actions/quickstart)".
-- Se você estiver confortável com os princípios básicos de {% data variables.product.prodname_actions %}, você pode aprender sobre fluxos de trabalho e suas características em "[Sobre fluxos de trabalho](/actions/using-workflows/about-workflows). "
\ No newline at end of file
+- Se você estiver confortável com os princípios básicos de {% data variables.product.prodname_actions %}, você pode aprender sobre fluxos de trabalho e suas características em "[Sobre fluxos de trabalho](/actions/using-workflows/about-workflows). "
diff --git a/translations/pt-BR/data/reusables/actions/minio-gateways-removal.md b/translations/pt-BR/data/reusables/actions/minio-gateways-removal.md
index 6a357617d2..709e9802e9 100644
--- a/translations/pt-BR/data/reusables/actions/minio-gateways-removal.md
+++ b/translations/pt-BR/data/reusables/actions/minio-gateways-removal.md
@@ -2,4 +2,4 @@
**Aviso**: O MinIO anunciou a remoção dos Gateways do MinIO. A partir de 1 de junho, 2022, o suporte e correções de erros para a implementação atual do MinIO NAS Gateway só estará disponível para clientes pagos por meio do contrato de suporte do LTS. Se você deseja continuar usando MinIO Gateways com {% data variables.product.prodname_actions %}, nós recomendamos a transferência para o suporte do MinIO LTS. Para obter mais informações, consulte [Remoção agendada do MinIO Gateway para o GCS, Azure, HDFS](https://github.com/minio/minio/issues/14331) no repositório minio/minio.
-{% endwarning %}
\ No newline at end of file
+{% endwarning %}
diff --git a/translations/pt-BR/data/reusables/actions/note-understanding-example.md b/translations/pt-BR/data/reusables/actions/note-understanding-example.md
index b65a1ca8f1..08381a066a 100644
--- a/translations/pt-BR/data/reusables/actions/note-understanding-example.md
+++ b/translations/pt-BR/data/reusables/actions/note-understanding-example.md
@@ -2,4 +2,4 @@
**Observação**: Cada linha deste fluxo de trabalho é explicada na próxima seção em "[Compreendendo o exemplo](#understanding-the-example)".
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/actions/partial-reruns-with-reusable.md b/translations/pt-BR/data/reusables/actions/partial-reruns-with-reusable.md
index f58ab03fde..2663e63a56 100644
--- a/translations/pt-BR/data/reusables/actions/partial-reruns-with-reusable.md
+++ b/translations/pt-BR/data/reusables/actions/partial-reruns-with-reusable.md
@@ -1,6 +1,6 @@
-Reusable workflows from public repositories can be referenced using a SHA, a release tag, or a branch name. For more information, see ["Calling a reusable workflow"](/actions/using-workflows/reusing-workflows#calling-a-reusable-workflow).
+Os fluxos de trabalho reutilizáveis de repositórios públicos podem ser referenciados usando um SHA, uma tag de versão ou um nome de branch. Para obter mais informações, consulte ["Chamando um fluxo de trabalho reutilizável"](/actions/using-workflows/reusing-workflows#calling-a-reusable-workflow).
-When you re-run a workflow that uses a reusable workflow and the reference is not a SHA, there are some behaviors to be aware of:
+Ao executar novamente um fluxo de trabalho que usa um fluxo de trabalho reutilizável e a referência não é um SHA, existem alguns comportamentos que você deve conhecer:
-* Re-running all jobs in a workflow will use the reusable workflow from the specified reference. For more information about re-running all jobs in a workflow, see ["Re-running all the jobs in a workflow"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-all-the-jobs-in-a-workflow).
-* Re-running failed jobs or a specific job in a workflow will use the reusable workflow from the same commit SHA of the first attempt. For more information about re-running failed jobs in a workflow, see ["Re-running failed jobs in a workflow"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-failed-jobs-in-a-workflow). For more information about re-running a specific job in a workflow, see ["Re-running a specific job in a workflow"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-a-specific-job-in-a-workflow).
+* Executar novamente todos os trabalhos em um fluxo de trabalho irá usar o fluxo de trabalho reutilizável da referência especificada. Para obter mais informações sobre a reexecução de todos os trabalhos em um fluxo de trabalho, consulte ["Executar novamente todos os trabalhos em um fluxo de trabalho"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-all-the-jobs-in-a-workflow).
+* Reexecutar os trabalhos que falharam ou um trabalho específico em um fluxo de trabalho usará o fluxo de trabalho reutilizável do mesmo commit SHA da primeira tentativa. Para obter mais informações sobre a reexecução de trabalhos que falharam em um fluxo de trabalho, consulte ["Reexecutar trabalhos que falharam em fluxo de trabalho"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-failed-jobs-in-a-workflow). Para obter mais informações sobre a reexecução de um trabalho específico em um fluxo de trabalho, consulte ["Reexecutar um trabalho específico em um fluxo de trabalho"](/actions/managing-workflow-runs/re-running-workflows-and-jobs#re-running-a-specific-job-in-a-workflow).
diff --git a/translations/pt-BR/data/reusables/actions/pass-inputs-to-reusable-workflows.md b/translations/pt-BR/data/reusables/actions/pass-inputs-to-reusable-workflows.md
index f8b9021cc0..75271c4f69 100644
--- a/translations/pt-BR/data/reusables/actions/pass-inputs-to-reusable-workflows.md
+++ b/translations/pt-BR/data/reusables/actions/pass-inputs-to-reusable-workflows.md
@@ -26,4 +26,4 @@ jobs:
```
{% endraw %}
-{%endif%}
\ No newline at end of file
+{%endif%}
diff --git a/translations/pt-BR/data/reusables/actions/permissions-table-entry.md b/translations/pt-BR/data/reusables/actions/permissions-table-entry.md
index 9878396b07..1ddd73372b 100644
--- a/translations/pt-BR/data/reusables/actions/permissions-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/permissions-table-entry.md
@@ -1 +1 @@
-| Definindo permissões para o token: | [`permissões`](/actions/using-jobs/assigning-permissions-to-jobs)|
\ No newline at end of file
+| Definindo permissões para o token: | [`permissões`](/actions/using-jobs/assigning-permissions-to-jobs)|
diff --git a/translations/pt-BR/data/reusables/actions/policy-label-for-select-actions-workflows.md b/translations/pt-BR/data/reusables/actions/policy-label-for-select-actions-workflows.md
index 389f9e082d..38b50f3e4b 100644
--- a/translations/pt-BR/data/reusables/actions/policy-label-for-select-actions-workflows.md
+++ b/translations/pt-BR/data/reusables/actions/policy-label-for-select-actions-workflows.md
@@ -1 +1 @@
-{% ifversion actions-workflow-policy %}{% ifversion ghec or ghes or ghae %}**Allow enterprise, and select non-enterprise, actions and reusable workflows**{% else %}**Allow *OWNER*, and select non-*OWNER*, actions and reusable workflows**{% endif %}{% else %}**Allow select actions**{% endif %}
\ No newline at end of file
+{% ifversion actions-workflow-policy %}{% ifversion ghec or ghes or ghae %}**Allow enterprise, and select non-enterprise, actions and reusable workflows**{% else %}**Allow *OWNER*, and select non-*OWNER*, actions and reusable workflows**{% endif %}{% else %}**Allow select actions**{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/proxy-considerations.md b/translations/pt-BR/data/reusables/actions/proxy-considerations.md
index b4819a1f9f..f3b6cf4e72 100644
--- a/translations/pt-BR/data/reusables/actions/proxy-considerations.md
+++ b/translations/pt-BR/data/reusables/actions/proxy-considerations.md
@@ -1 +1 @@
-Se {% data variables.product.prodname_actions %} estiver habilitado para sua empresa, apenas os proxies HTTP são compatíveis. SOCKS5 and HTTPS proxies are not supported.
+Se {% data variables.product.prodname_actions %} estiver habilitado para sua empresa, apenas os proxies HTTP são compatíveis. Proxies SOCKS5 e HTTPS não são compatíveis.
diff --git a/translations/pt-BR/data/reusables/actions/publish-to-packages-workflow-step.md b/translations/pt-BR/data/reusables/actions/publish-to-packages-workflow-step.md
index f8a5c77f58..d6bea7ca21 100644
--- a/translations/pt-BR/data/reusables/actions/publish-to-packages-workflow-step.md
+++ b/translations/pt-BR/data/reusables/actions/publish-to-packages-workflow-step.md
@@ -1 +1 @@
-Executa o comando `mvn --batch-mode` para publicar em {% data variables.product.prodname_registry %}. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. {% ifversion fpt or ghes > 3.1 or ghae or ghec %}A chave de permissões `` especifica o acesso concedido ao `GITHUB_TOKEN`.{% endif %}
+Executa o comando `mvn --batch-mode` para publicar em {% data variables.product.prodname_registry %}. A variável de ambiente `GITHUB_TOKEN` será definida com o conteúdo do segredo `GITHUB_TOKEN`. The `permissions` key specifies the access granted to the `GITHUB_TOKEN`.
diff --git a/translations/pt-BR/data/reusables/actions/pull-request-table-entry.md b/translations/pt-BR/data/reusables/actions/pull-request-table-entry.md
index 254def26fe..4f53199094 100644
--- a/translations/pt-BR/data/reusables/actions/pull-request-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/pull-request-table-entry.md
@@ -1 +1 @@
-| Acionando um fluxo de trabalho para funcionar automaticamente: | [`pull_request`](/actions/using-workflows/events-that-trigger-workflows#pull_request) |
\ No newline at end of file
+| Acionando um fluxo de trabalho para funcionar automaticamente: | [`pull_request`](/actions/using-workflows/events-that-trigger-workflows#pull_request) |
diff --git a/translations/pt-BR/data/reusables/actions/push-table-entry.md b/translations/pt-BR/data/reusables/actions/push-table-entry.md
index 11071971e3..f77e9197c3 100644
--- a/translations/pt-BR/data/reusables/actions/push-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/push-table-entry.md
@@ -1 +1 @@
-| Acionando um fluxo de trabalho para funcionar automaticamente: | [`push`](/actions/using-workflows/events-that-trigger-workflows#push) |
\ No newline at end of file
+| Acionando um fluxo de trabalho para funcionar automaticamente: | [`push`](/actions/using-workflows/events-that-trigger-workflows#push) |
diff --git a/translations/pt-BR/data/reusables/actions/ref-description.md b/translations/pt-BR/data/reusables/actions/ref-description.md
index 39ee96c641..e615b8b106 100644
--- a/translations/pt-BR/data/reusables/actions/ref-description.md
+++ b/translations/pt-BR/data/reusables/actions/ref-description.md
@@ -1 +1 @@
-Branch ou ref tag que acionou a execução do fluxo de trabalho. For workflows triggered by `push`, this is the branch or tag ref that was pushed. For workflows triggered by `pull_request`, this is the pull request merge branch. For workflows triggered by `release`, this is the release tag created. For other triggers, this is the branch or tag ref that triggered the workflow run. This is only set if a branch or tag is available for the event type. The ref given is fully-formed, meaning that for branches the format is `refs/heads/`, for pull requests it is `refs/pull//merge`, and for tags it is `refs/tags/`. Por exemplo, `refs/heads/feature-branch-1`.
+Branch ou ref tag que acionou a execução do fluxo de trabalho. Para fluxos de trabalho acionados por `push`, este é o branch ou tag ref que foi enviado. Para fluxos de trabalho acionados por `pull_request`, este é o branch de merge de pull request. Para fluxos de trabalho acionados por `versão`, esta é a tag da versão criada. Para outros acionamentos, este é o branch ou tag ref que acionou a execução do fluxo de trabalho. Isso só é definido se um branch ou tag estiver disponível para o tipo de evento. A ref dada está totalmente formada, o que significa que para branchs o formato é `refs/heads/`, para pull requests é `refs/pull//merge`, e para tags é `refs/tags/`. Por exemplo, `refs/heads/feature-branch-1`.
diff --git a/translations/pt-BR/data/reusables/actions/secrets-table-entry.md b/translations/pt-BR/data/reusables/actions/secrets-table-entry.md
index 8cd807610b..59dad2dd4c 100644
--- a/translations/pt-BR/data/reusables/actions/secrets-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/secrets-table-entry.md
@@ -1 +1 @@
-| Fazendo referência a segredos em um fluxo de trabalho: | [Segredos](/actions/security-guides/encrypted-secrets)|
\ No newline at end of file
+| Fazendo referência a segredos em um fluxo de trabalho: | [Segredos](/actions/security-guides/encrypted-secrets)|
diff --git a/translations/pt-BR/data/reusables/actions/self-hosted-runner-configure-runner-group.md b/translations/pt-BR/data/reusables/actions/self-hosted-runner-configure-runner-group.md
index fad62dc19a..3c8558bd93 100644
--- a/translations/pt-BR/data/reusables/actions/self-hosted-runner-configure-runner-group.md
+++ b/translations/pt-BR/data/reusables/actions/self-hosted-runner-configure-runner-group.md
@@ -1 +1 @@
-1. Na seção {% ifversion fpt or ghes > 3.1 or ghae or ghec %}"Executores"{% else %}"Executores auto-hospedados"{% endif %} da página de configurações, ao lado do grupo do executor que deseja configurar, clique em {% octicon "kebab-horizontal" aria-label="The horizontal kebab icon" %} e, em seguida, clique em **Editar nome e [organization|repository] acesso**. 
\ No newline at end of file
+1. In the "Runners" section of the settings page, next to the runner group you'd like to configure, click {% octicon "kebab-horizontal" aria-label="The horizontal kebab icon" %}, then click **Edit name and [organization|repository] access**. 
diff --git a/translations/pt-BR/data/reusables/actions/self-hosted-runner-list.md b/translations/pt-BR/data/reusables/actions/self-hosted-runner-list.md
index ea389e9e15..6e53ef0e5b 100644
--- a/translations/pt-BR/data/reusables/actions/self-hosted-runner-list.md
+++ b/translations/pt-BR/data/reusables/actions/self-hosted-runner-list.md
@@ -1 +1 @@
- 1. Localize a lista de executores em {% ifversion fpt or ghes > 3.1 or ghae or ghec %}"Executores"{% else %}"Executores auto-hospedados"{% endif %}.
+1. Locate the list of runners under "Runners".
diff --git a/translations/pt-BR/data/reusables/actions/self-hosted-runner-networking-to-dotcom.md b/translations/pt-BR/data/reusables/actions/self-hosted-runner-networking-to-dotcom.md
index 8fdfb54621..56117a52f3 100644
--- a/translations/pt-BR/data/reusables/actions/self-hosted-runner-networking-to-dotcom.md
+++ b/translations/pt-BR/data/reusables/actions/self-hosted-runner-networking-to-dotcom.md
@@ -1 +1 @@
-Para usar ações de {% data variables.product.prodname_dotcom_the_website %},{% ifversion ghes %}, {% data variables.product.product_location %} e {% endif %} seus executores auto-hospedados devem poder fazer conexões de saída para {% data variables.product.prodname_dotcom_the_website %}. Nenhuma conexão de entrada de {% data variables.product.prodname_dotcom_the_website %} é necessária. Para mais informações. Para obter mais informações, consulte "[Sobre executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#communication-betweens-self-hosted-runners-and-githubcom)."
\ No newline at end of file
+Para usar ações de {% data variables.product.prodname_dotcom_the_website %},{% ifversion ghes %}, {% data variables.product.product_location %} e {% endif %} seus executores auto-hospedados devem poder fazer conexões de saída para {% data variables.product.prodname_dotcom_the_website %}. Nenhuma conexão de entrada de {% data variables.product.prodname_dotcom_the_website %} é necessária. Para mais informações. Para obter mais informações, consulte "[Sobre executores auto-hospedados](/actions/hosting-your-own-runners/about-self-hosted-runners#communication-betweens-self-hosted-runners-and-githubcom)."
diff --git a/translations/pt-BR/data/reusables/actions/self-hosted-runner-removing-a-runner.md b/translations/pt-BR/data/reusables/actions/self-hosted-runner-removing-a-runner.md
index 1c8774cfaf..8567094c16 100644
--- a/translations/pt-BR/data/reusables/actions/self-hosted-runner-removing-a-runner.md
+++ b/translations/pt-BR/data/reusables/actions/self-hosted-runner-removing-a-runner.md
@@ -1,4 +1,4 @@
-1. Em {% ifversion fpt or ghes > 3.1 or ghae or ghec %}"Executores"{% else %}"Executores auto-hospedados"{% endif %}, localize o executor na lista. Se o seu runner estiver em um grupo, clique em {% octicon "chevron-down" aria-label="The downwards chevron" %} para expandir a lista.
+1. Under "Runners", locate the runner in the list. Se o seu runner estiver em um grupo, clique em {% octicon "chevron-down" aria-label="The downwards chevron" %} para expandir a lista.
1. Clique em {% octicon "kebab-horizontal" aria-label="The horizontal kebab icon" %} ao lado do runner que deseja remover, depois clique em **Remover**.

diff --git a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-general.md b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-general.md
index 2e08467c90..597d6429bc 100644
--- a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-general.md
+++ b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-general.md
@@ -1,2 +1,2 @@
{% comment %}This reusable is only to be used in other repo/org/enterprise setting reusables.{%- endcomment -%}
-1. In the left sidebar, click {% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5658 %}{% octicon "play" aria-label="The {% data variables.product.prodname_actions %} icon" %} **Actions**, then click **General**.{% else %}**Actions**.{% endif %}
\ No newline at end of file
+1. In the left sidebar, click {% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5658 %}{% octicon "play" aria-label="The {% data variables.product.prodname_actions %} icon" %} **Actions**, then click **General**.{% else %}**Actions**.{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runner-groups.md b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runner-groups.md
index cb8aac7753..9932a6de99 100644
--- a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runner-groups.md
+++ b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runner-groups.md
@@ -1,5 +1,5 @@
{% comment %}This reusable is only to be used in other repo/org/enterprise setting reusables.{%- endcomment -%}
1. In the left sidebar, click {% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5658 %}{% octicon "play" aria-label="The {% data variables.product.prodname_actions %} icon" %} **Actions**, then click **Runner groups**.{% else %}**Actions**.{% ifversion ghes > 3.3 or ghae-issue-5091 %}
1. In the left sidebar, under "Actions", click **Runner groups**.
-{%- elsif ghes > 3.1 or ghae %}
-1. In the left sidebar, under "Actions", click **Runners**.{% endif %}{% endif %}
\ No newline at end of file
+{%- elsif ghes or ghae %}
+1. In the left sidebar, under "Actions", click **Runners**.{% endif %}{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runners.md b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runners.md
index f54e9c4b40..ffe0849037 100644
--- a/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runners.md
+++ b/translations/pt-BR/data/reusables/actions/settings-ui/settings-actions-runners.md
@@ -1,3 +1,3 @@
{% comment %}This reusable is only to be used in other repo/org/enterprise setting reusables.{%- endcomment -%}
-1. In the left sidebar, click {% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5658 %}{% octicon "play" aria-label="The {% data variables.product.prodname_actions %} icon" %} **Actions**, then click **Runners**.{% else %}**Actions**.{% ifversion ghes > 3.1 or ghae %}
-1. In the left sidebar, under "Actions", click **Runners**.{% endif %}{% endif %}
\ No newline at end of file
+1. In the left sidebar, click {% ifversion fpt or ghec or ghes > 3.4 or ghae-issue-5658 %}{% octicon "play" aria-label="The {% data variables.product.prodname_actions %} icon" %} **Actions**, then click **Runners**.{% else %}**Actions**.{% ifversion ghes or ghae %}
+1. In the left sidebar, under "Actions", click **Runners**.{% endif %}{% endif %}
diff --git a/translations/pt-BR/data/reusables/actions/setup-node-table-entry.md b/translations/pt-BR/data/reusables/actions/setup-node-table-entry.md
index 091ad3fce7..e5b22f4660 100644
--- a/translations/pt-BR/data/reusables/actions/setup-node-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/setup-node-table-entry.md
@@ -1 +1 @@
-| Instalando o `nó` no executor: | [`actions/setup-node`](https://github.com/actions/setup-node) |
\ No newline at end of file
+| Instalando o `nó` no executor: | [`actions/setup-node`](https://github.com/actions/setup-node) |
diff --git a/translations/pt-BR/data/reusables/actions/upgrade-runners-before-upgrade-ghes.md b/translations/pt-BR/data/reusables/actions/upgrade-runners-before-upgrade-ghes.md
index e29e2a237c..1ba2baa89f 100644
--- a/translations/pt-BR/data/reusables/actions/upgrade-runners-before-upgrade-ghes.md
+++ b/translations/pt-BR/data/reusables/actions/upgrade-runners-before-upgrade-ghes.md
@@ -1 +1 @@
-Se você usa executores efêmeros e desabilitou as atualizações automáticas, antes de atualizar {% data variables.product.product_location %}, você deve primeiro atualizar seus executores auto-hospedados para a versão do aplicativo do executore que sua instância atualizada será executada. Atualizar {% data variables.product.product_location %} antes de atualizar os executores efêmeros pode fazer com que os seus executores fiquem off-line. Para obter mais informações, consulte "[Atualizar o {% data variables.product.product_name %}](/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server)."
\ No newline at end of file
+Se você usa executores efêmeros e desabilitou as atualizações automáticas, antes de atualizar {% data variables.product.product_location %}, você deve primeiro atualizar seus executores auto-hospedados para a versão do aplicativo do executore que sua instância atualizada será executada. Atualizar {% data variables.product.product_location %} antes de atualizar os executores efêmeros pode fazer com que os seus executores fiquem off-line. Para obter mais informações, consulte "[Atualizar o {% data variables.product.product_name %}](/admin/enterprise-management/updating-the-virtual-machine-and-physical-resources/upgrading-github-enterprise-server)."
diff --git a/translations/pt-BR/data/reusables/actions/workflow-basic-example-and-explanation.md b/translations/pt-BR/data/reusables/actions/workflow-basic-example-and-explanation.md
index d75fcfe2e6..035820a390 100644
--- a/translations/pt-BR/data/reusables/actions/workflow-basic-example-and-explanation.md
+++ b/translations/pt-BR/data/reusables/actions/workflow-basic-example-and-explanation.md
@@ -169,4 +169,4 @@ When your workflow is triggered, a _workflow run_ is created that executes the w

1. Visualizar os resultados de cada etapa.
- 
\ No newline at end of file
+ 
diff --git a/translations/pt-BR/data/reusables/actions/workflow-dispatch-table-entry.md b/translations/pt-BR/data/reusables/actions/workflow-dispatch-table-entry.md
index f9689daf8d..d31ccd06fa 100644
--- a/translations/pt-BR/data/reusables/actions/workflow-dispatch-table-entry.md
+++ b/translations/pt-BR/data/reusables/actions/workflow-dispatch-table-entry.md
@@ -1 +1 @@
-| Executando manualmente um fluxo de trabalho a partir da interface do usuário: | [`workflow_dispatch`](/actions/using-workflows/events-that-trigger-workflows#workflow_dispatch)|
\ No newline at end of file
+| Executando manualmente um fluxo de trabalho a partir da interface do usuário: | [`workflow_dispatch`](/actions/using-workflows/events-that-trigger-workflows#workflow_dispatch)|
diff --git a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-results.md b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-results.md
index 27b045597a..83bd432dda 100644
--- a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-results.md
+++ b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-results.md
@@ -1,3 +1,3 @@
1. Quando o teste for concluído, você verá uma amostra de resultados (até 1000). Revise os resultados e identifique quaisquer resultados falso-positivos. 
1. Edite o novo padrão personalizado para corrigir quaisquer problemas com os resultados. Em seguida, para testar suas alterações, clique em **Salvar e executar teste**.
-{% indented_data_reference reusables.secret-scanning.beta-dry-runs spaces=3 %}
\ No newline at end of file
+{% indented_data_reference reusables.secret-scanning.beta-dry-runs spaces=3 %}
diff --git a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-select-repos.md b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-select-repos.md
index 1d0f29b16d..32fce35cc3 100644
--- a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-select-repos.md
+++ b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-dry-run-select-repos.md
@@ -1,2 +1,2 @@
1. Pesquise e selecione até os repositórios onde você deseja executar o teste.
-1. Quando estiver pronto para testar seu novo padrão personalizado, clique em **Testar**.
\ No newline at end of file
+1. Quando estiver pronto para testar seu novo padrão personalizado, clique em **Testar**.
diff --git a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-org.md b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-org.md
index 00bb29114b..2b3424114a 100644
--- a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-org.md
+++ b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-org.md
@@ -1,2 +1,2 @@
1. Em "{% data variables.product.prodname_secret_scanning_caps %}", em "Proteção push", clique em **Habilitar todos**. 
-1. Opcionalmente, clique em "Habilitar automaticamente em repositórios privados adicionados ao {% data variables.product.prodname_secret_scanning %}."
\ No newline at end of file
+1. Opcionalmente, clique em "Habilitar automaticamente em repositórios privados adicionados ao {% data variables.product.prodname_secret_scanning %}."
diff --git a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-repo.md b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-repo.md
index 6b02156c02..dede5e9bfe 100644
--- a/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-repo.md
+++ b/translations/pt-BR/data/reusables/advanced-security/secret-scanning-push-protection-repo.md
@@ -1 +1 @@
-1. Em "{% data variables.product.prodname_secret_scanning_caps %}", em "Proteção de push", clique em **Habilitar**. 
\ No newline at end of file
+1. Em "{% data variables.product.prodname_secret_scanning_caps %}", em "Proteção de push", clique em **Habilitar**. 
diff --git a/translations/pt-BR/data/reusables/advisory-database/beta-malware-advisories.md b/translations/pt-BR/data/reusables/advisory-database/beta-malware-advisories.md
index 2e075a179e..94fc49a4c6 100644
--- a/translations/pt-BR/data/reusables/advisory-database/beta-malware-advisories.md
+++ b/translations/pt-BR/data/reusables/advisory-database/beta-malware-advisories.md
@@ -2,4 +2,4 @@
**Note:** Advisories for malware are currently in beta and subject to change.
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/audit_log/audit-log-action-categories.md b/translations/pt-BR/data/reusables/audit_log/audit-log-action-categories.md
index 6610878b72..3e2fe87845 100644
--- a/translations/pt-BR/data/reusables/audit_log/audit-log-action-categories.md
+++ b/translations/pt-BR/data/reusables/audit_log/audit-log-action-categories.md
@@ -34,9 +34,7 @@
{%- ifversion fpt or ghec or ghes > 3.2 %}
| `dependabot_security_updates` | Contains organization-level configuration activities for {% data variables.product.prodname_dependabot_security_updates %} in existing repositories. Para obter mais informações, consulte "[Configurando {% data variables.product.prodname_dependabot_security_updates %}](/github/managing-security-vulnerabilities/configuring-dependabot-security-updates)." | `dependabot_security_updates_new_repos` | Contains organization-level configuration activities for {% data variables.product.prodname_dependabot_security_updates %} for new repositories created in the organization.
{%- endif %}
-{%- ifversion fpt or ghec or ghes or ghae %}
| `dependency_graph` | Contains organization-level configuration activities for dependency graphs for repositories. Para obter mais informações, consulte "[Sobre o gráfico de dependência](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)". | `dependency_graph_new_repos` | Contains organization-level configuration activities for new repositories created in the organization.
-{%- endif %}
{%- ifversion fpt or ghec %}
| `discussion` | Contains activities related to team discussions. | `discussion_comment` | Contains activities related to comments posted in discussions on a team page. | `discussion_post` | Contains activities related to discussions posted to a team page. | `discussion_post_reply` | Contains activities related to replies to discussions posted to a team page.
{%- endif %}
@@ -79,12 +77,9 @@
| `org_secret_scanning_custom_pattern` | Contains activities related to custom patterns for secret scanning in an organization. Para obter mais informações, consulte "[Definindo padrões personalizados para digitalização de segredo](/code-security/secret-scanning/defining-custom-patterns-for-secret-scanning). " | `org.secret_scanning_push_protection` | Contains activities related to secret scanning custom patterns in an organization. Para obter mais informações, consulte "[Protegendo pushes com digitalização de segredo](/code-security/secret-scanning/protecting-pushes-with-secret-scanning)".
{%- endif %}
| `organization_default_label` | Contains activities related to default labels for repositories in an organization.
-{%- ifversion fpt or ghec or ghes > 3.1 %}
+{%- ifversion fpt or ghec or ghes %}
| `organization_domain` | Contains activities related to verified organization domains. | `organization_projects_change` | Contains activities related to organization-wide project boards in an enterprise.
{%- endif %}
-{%- ifversion fpt or ghec or ghes > 3.0 or ghae %}
-| `packages` | Contains activities related to {% data variables.product.prodname_registry %}.
-{%- endif %}
{%- ifversion fpt or ghec %}
| `pages_protected_domain` | Contains activities related to verified custom domains for {% data variables.product.prodname_pages %}. | `payment_method` | Contains activities related to how an organization pays for {% data variables.product.prodname_dotcom %}. | `prebuild_configuration` | Contains activities related to prebuild configurations for {% data variables.product.prodname_github_codespaces %}.
{%- endif %}
@@ -98,11 +93,7 @@
{%- ifversion fpt or ghec %}
| `profile_picture` | Contains activities related to an organization's profile picture.
{%- endif %}
-| `project` | Contains activities related to project boards. | `project_field` | Contains activities related to field creation and deletion in a project board. | `project_view` | Contains activities related to view creation and deletion in a project board. | `protected_branch` | Contains activities related to protected branches. | `public_key` | Contains activities related to SSH keys and deploy keys.
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-| `pull_request` | Contains activities related to pull requests. | `pull_request_review` | Contains activities related to pull request reviews. | `pull_request_review_comment` | Contains activities related to pull request review comments.
-{%- endif %}
-| `repo` | Contains activities related to the repositories owned by an organization.
+| `project` | Contains activities related to project boards. | `project_field` | Contains activities related to field creation and deletion in a project board. | `project_view` | Contains activities related to view creation and deletion in a project board. | `protected_branch` | Contains activities related to protected branches. | `public_key` | Contains activities related to SSH keys and deploy keys. | `pull_request` | Contains activities related to pull requests. | `pull_request_review` | Contains activities related to pull request reviews. | `pull_request_review_comment` | Contains activities related to pull request review comments. | `repo` | Contains activities related to the repositories owned by an organization.
{%- ifversion fpt or ghec %}
| `repository_advisory` | Contains repository-level activities related to security advisories in the {% data variables.product.prodname_advisory_database %}. Para obter mais informações, consulte "[Sobre consultoria de segurança de {% data variables.product.prodname_dotcom %}](/github/managing-security-vulnerabilities/about-github-security-advisories)". | `repository_content_analysis` | Contains activities related to [enabling or disabling data use for a private repository](/articles/about-github-s-use-of-your-data). | `repository_dependency_graph` | Contains repository-level activities related to enabling or disabling the dependency graph for a {% ifversion fpt or ghec %}private {% endif %}repository. Para obter mais informações, consulte "[Sobre o gráfico de dependência](/github/visualizing-repository-data-with-graphs/about-the-dependency-graph)".
{%- endif %}
@@ -116,13 +107,11 @@
{%- ifversion fpt or ghec %}
| `repository_visibility_change` | Contains activities related to allowing organization members to change repository visibilities for the organization.
{%- endif %}
-{%- ifversion fpt or ghec or ghes or ghae %}
| `repository_vulnerability_alert` | Contains activities related to [{% data variables.product.prodname_dependabot_alerts %}](/code-security/dependabot/dependabot-alerts/about-dependabot-alerts).
-{%- endif %}
{%- ifversion fpt or ghec %}
| `repository_vulnerability_alerts` | Contains repository-level configuration activities for {% data variables.product.prodname_dependabot_alerts %}. | `required_status_check` | Contains activities related to required status checks for protected branches.
{%- endif %}
-{%- ifversion ghec or ghes > 3.1 %}
+{%- ifversion ghec or ghes %}
| `restrict_notification_delivery` | Contains activities related to the restriction of email notifications to approved or verified domains for an enterprise.
{%- endif %}
{%- ifversion custom-repository-roles %}
@@ -147,12 +136,8 @@
{%- ifversion fpt or ghes %}
| `two_factor_authentication` | Contains activities related to two-factor authentication.
{%- endif %}
-{%- ifversion fpt or ghec or ghes or ghae %}
| `user` | Contains activities related to users in an enterprise or organization.
-{%- endif %}
{%- ifversion ghec or ghes %}
| `user_license` | Contains activities related to a user occupying a licensed seat in, and being a member of, an enterprise.
{%- endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
| `workflows` | Contains activities related to {% data variables.product.prodname_actions %} workflows.
-{%- endif %}
diff --git a/translations/pt-BR/data/reusables/audit_log/audit-log-events-workflows.md b/translations/pt-BR/data/reusables/audit_log/audit-log-events-workflows.md
index f890d5fa9f..9489e7b8aa 100644
--- a/translations/pt-BR/data/reusables/audit_log/audit-log-events-workflows.md
+++ b/translations/pt-BR/data/reusables/audit_log/audit-log-events-workflows.md
@@ -1,9 +1,12 @@
-| Ação | Descrição |
-| ---- | --------- |
-| | |
-{%- ifversion fpt or ghes > 3.1 or ghae or ghec %}
-| `workflows.approve_workflow_job` | A workflow job was approved. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." | `workflows.cancel_workflow_run` | A workflow run was cancelled. Para obter mais informações, consulte "[Cancelar um fluxo de trabalho](/actions/managing-workflow-runs/canceling-a-workflow)". | `workflows.delete_workflow_run` | A workflow run was deleted. Para obter mais informações, consulte "[Excluir uma execução de fluxo de trabalho](/actions/managing-workflow-runs/deleting-a-workflow-run)". | `workflows.disable_workflow` | A workflow was disabled. | `workflows.enable_workflow` | A workflow was enabled, after previously being disabled by `disable_workflow`. | `workflows.reject_workflow_job` | A workflow job was rejected. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." | `workflows.rerun_workflow_run` | A workflow run was re-run. Para obter mais informações, consulte "[Executar novamente um fluxo de trabalho](/actions/managing-workflow-runs/re-running-a-workflow)".
-{%- endif %}
+| Ação | Descrição |
+| -------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| `workflows.approve_workflow_job` | A workflow job was approved. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." |
+| `workflows.cancel_workflow_run` | A workflow run was cancelled. Para obter mais informações, consulte "[Cancelar um fluxo de trabalho](/actions/managing-workflow-runs/canceling-a-workflow)". |
+| `workflows.delete_workflow_run` | A workflow run was deleted. Para obter mais informações, consulte "[Excluir uma execução de fluxo de trabalho](/actions/managing-workflow-runs/deleting-a-workflow-run)". |
+| `workflows.disable_workflow` | A workflow was disabled. |
+| `workflows.enable_workflow` | A workflow was enabled, after previously being disabled by `disable_workflow`. |
+| `workflows.reject_workflow_job` | A workflow job was rejected. Para obter mais informações, consulte "[Revisando implantações](/actions/managing-workflow-runs/reviewing-deployments)." |
+| `workflows.rerun_workflow_run` | A workflow run was re-run. Para obter mais informações, consulte "[Executar novamente um fluxo de trabalho](/actions/managing-workflow-runs/re-running-a-workflow)". |
{%- ifversion fpt or ghec or ghes > 3.2 or ghae-issue-4963 %}
| `workflows.completed_workflow_run` | A workflow status changed to `completed`. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. For more information, see "[Viewing workflow run history](/actions/managing-workflow-runs/viewing-workflow-run-history). | `workflows.created_workflow_run` | A workflow run was created. Só pode ser visto usando a API REST; não visível na interface do usuário ou na exportação do JSON/CSV. Para obter mais informações, consulte "[Criar um exemplo de fluxo de trabalho](/actions/learn-github-actions/introduction-to-github-actions#create-an-example-workflow)". | `workflows.prepared_workflow_job` | A workflow job was started. Inclui a lista de segredos que foram fornecidos ao trabalho. Só pode ser visto usando a API REST. Não é visível na interface da web de {% data variables.product.prodname_dotcom %} ou incluído na exportação do JSON/CSV. Para obter mais informações, consulte "[Eventos que acionam fluxos de trabalho](/actions/reference/events-that-trigger-workflows)".
{%- endif %}
diff --git a/translations/pt-BR/data/reusables/audit_log/git-events-export-limited.md b/translations/pt-BR/data/reusables/audit_log/git-events-export-limited.md
index 2ea11a228c..1cd8905253 100644
--- a/translations/pt-BR/data/reusables/audit_log/git-events-export-limited.md
+++ b/translations/pt-BR/data/reusables/audit_log/git-events-export-limited.md
@@ -4,4 +4,4 @@
**Note:** When you export Git events, events that were initiated via the web browser or the REST or GraphQL APIs are not included. Por exemplo, quando um usuário faz merge de um pull request no navegador da web, as alterações são enviadas por push para o branch base, mas o evento do Git para esse push não está incluído na exportação.
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/billing/overages-billed-monthly.md b/translations/pt-BR/data/reusables/billing/overages-billed-monthly.md
index 3b87ec1dc7..1802904da4 100644
--- a/translations/pt-BR/data/reusables/billing/overages-billed-monthly.md
+++ b/translations/pt-BR/data/reusables/billing/overages-billed-monthly.md
@@ -1 +1 @@
-Overages are always billed monthly regardless of your billing term (even if your account is otherwise billed annually).
\ No newline at end of file
+Overages are always billed monthly regardless of your billing term (even if your account is otherwise billed annually).
diff --git a/translations/pt-BR/data/reusables/classroom/classroom-codespaces-link.md b/translations/pt-BR/data/reusables/classroom/classroom-codespaces-link.md
index 5ee935499f..68aa60769a 100644
--- a/translations/pt-BR/data/reusables/classroom/classroom-codespaces-link.md
+++ b/translations/pt-BR/data/reusables/classroom/classroom-codespaces-link.md
@@ -1 +1 @@
-You can choose to configure an assignment with {% data variables.product.prodname_github_codespaces %} to give students access to a browser-based Visual Studio Code environment with one-click setup. Para obter mais informações, consulte "[Usar o {% data variables.product.prodname_github_codespaces %} com o {% data variables.product.prodname_classroom %}](/education/manage-coursework-with-github-classroom/integrate-github-classroom-with-an-ide/using-github-codespaces-with-github-classroom)".
\ No newline at end of file
+You can choose to configure an assignment with {% data variables.product.prodname_github_codespaces %} to give students access to a browser-based Visual Studio Code environment with one-click setup. Para obter mais informações, consulte "[Usar o {% data variables.product.prodname_github_codespaces %} com o {% data variables.product.prodname_classroom %}](/education/manage-coursework-with-github-classroom/integrate-github-classroom-with-an-ide/using-github-codespaces-with-github-classroom)".
diff --git a/translations/pt-BR/data/reusables/classroom/reuse-assignment-link.md b/translations/pt-BR/data/reusables/classroom/reuse-assignment-link.md
index 5cf671798f..c138916dc3 100644
--- a/translations/pt-BR/data/reusables/classroom/reuse-assignment-link.md
+++ b/translations/pt-BR/data/reusables/classroom/reuse-assignment-link.md
@@ -1 +1 @@
-You can reuse existing assignments in any other classroom you have admin access to, including classrooms in a different organization. Para obter mais informações, consulte "[Reutilizar uma atividade](/education/manage-coursework-with-github-classroom/teach-with-github-classroom/reuse-an-assignment)".
\ No newline at end of file
+You can reuse existing assignments in any other classroom you have admin access to, including classrooms in a different organization. Para obter mais informações, consulte "[Reutilizar uma atividade](/education/manage-coursework-with-github-classroom/teach-with-github-classroom/reuse-an-assignment)".
diff --git a/translations/pt-BR/data/reusables/code-scanning/about-analysis-origins-link.md b/translations/pt-BR/data/reusables/code-scanning/about-analysis-origins-link.md
index 9f80affa9c..6f62cc3677 100644
--- a/translations/pt-BR/data/reusables/code-scanning/about-analysis-origins-link.md
+++ b/translations/pt-BR/data/reusables/code-scanning/about-analysis-origins-link.md
@@ -1 +1 @@
-If you run code scanning using multiple configurations, then sometimes an alert will have multiple analysis origins. If an alert has multiple analysis origins, you can view the status of the alert for each analysis origin on the alert page. Para obter mais informações, consulte[Sobre as origens da análise](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts#about-analysis-origins)".
\ No newline at end of file
+If you run code scanning using multiple configurations, then sometimes an alert will have multiple analysis origins. If an alert has multiple analysis origins, you can view the status of the alert for each analysis origin on the alert page. Para obter mais informações, consulte[Sobre as origens da análise](/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/about-code-scanning-alerts#about-analysis-origins)".
diff --git a/translations/pt-BR/data/reusables/code-scanning/alert-default-branch.md b/translations/pt-BR/data/reusables/code-scanning/alert-default-branch.md
index c6a6029e70..aa1e79fd15 100644
--- a/translations/pt-BR/data/reusables/code-scanning/alert-default-branch.md
+++ b/translations/pt-BR/data/reusables/code-scanning/alert-default-branch.md
@@ -1 +1 @@
-The status and details on the alert page only reflect the state of the alert on the default branch of the repository, even if the alert exists in other branches. You can see the status of the alert on non-default branches in the **Affected branches** section on the right-hand side of the alert page. If an alert doesn't exist in the default branch, the status of the alert will display as "in pull request" or "in branch" and will be colored grey.
\ No newline at end of file
+The status and details on the alert page only reflect the state of the alert on the default branch of the repository, even if the alert exists in other branches. You can see the status of the alert on non-default branches in the **Affected branches** section on the right-hand side of the alert page. If an alert doesn't exist in the default branch, the status of the alert will display as "in pull request" or "in branch" and will be colored grey.
diff --git a/translations/pt-BR/data/reusables/code-scanning/alerts-found-in-generated-code.md b/translations/pt-BR/data/reusables/code-scanning/alerts-found-in-generated-code.md
index 8035c8a826..c1ee4dba8b 100644
--- a/translations/pt-BR/data/reusables/code-scanning/alerts-found-in-generated-code.md
+++ b/translations/pt-BR/data/reusables/code-scanning/alerts-found-in-generated-code.md
@@ -1,3 +1,3 @@
Para linguagens compiladas como Java, C, C++ e C#, o {% data variables.product.prodname_codeql %} analisa todo o código construído durante a execução do fluxo de trabalho. Para limitar a quantidade de código em análise, crie apenas o código que você deseja analisar especificando suas próprias etapas de criação em um bloco `Executar`. Você pode combinar a especificação das suas próprias etapas de criação ao usar os filtros `caminhos` ou `paths-ignore` nos eventos `pull_request` e `push` para garantir que o seu fluxo de trabalho só será executado quando o código específico for alterado. Para obter mais informações, consulte "[Sintaxe de fluxo de trabalho para o {% data variables.product.prodname_actions %}](/actions/reference/workflow-syntax-for-github-actions#onpushpull_requestpull_request_targetpathspaths-ignore)".
-Para linguagens como Go, JavaScript, Python e TypeScript, que {% data variables.product.prodname_codeql %} analisa sem compilar o código-fonte, você pode especificar as opções de configuração adicionais para limitar a quantidade de código a ser analisado. Para obter mais informações, consulte "[Especificar diretórios a serem varridos](/code-security/secure-coding/configuring-code-scanning#specifying-directories-to-scan)".
\ No newline at end of file
+Para linguagens como Go, JavaScript, Python e TypeScript, que {% data variables.product.prodname_codeql %} analisa sem compilar o código-fonte, você pode especificar as opções de configuração adicionais para limitar a quantidade de código a ser analisado. Para obter mais informações, consulte "[Especificar diretórios a serem varridos](/code-security/secure-coding/configuring-code-scanning#specifying-directories-to-scan)".
diff --git a/translations/pt-BR/data/reusables/code-scanning/click-alert-in-list.md b/translations/pt-BR/data/reusables/code-scanning/click-alert-in-list.md
index c91e877ec4..f0ce11eb03 100644
--- a/translations/pt-BR/data/reusables/code-scanning/click-alert-in-list.md
+++ b/translations/pt-BR/data/reusables/code-scanning/click-alert-in-list.md
@@ -1,5 +1,5 @@
1. Em "Varredura do código, clique no alerta que você deseja explorar.
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}

{% else %}

diff --git a/translations/pt-BR/data/reusables/code-scanning/filter-non-default-branches.md b/translations/pt-BR/data/reusables/code-scanning/filter-non-default-branches.md
index 4df28a76d5..6d8d85de0b 100644
--- a/translations/pt-BR/data/reusables/code-scanning/filter-non-default-branches.md
+++ b/translations/pt-BR/data/reusables/code-scanning/filter-non-default-branches.md
@@ -1 +1 @@
-Please note that if you have filtered for alerts on a non-default branch, but the same alerts exist on the default branch, the alert page for any given alert will still only reflect the alert's status on the default branch, even if that status conflicts with the status on a non-default branch. For example, an alert that appears in the "Open" list in the summary of alerts for `branch-x` could show a status of "Fixed" on the alert page, if the alert is already fixed on the default branch. You can view the status of the alert for the branch you filtered on in the **Affected branches** section on the right side of the alert page.
\ No newline at end of file
+Please note that if you have filtered for alerts on a non-default branch, but the same alerts exist on the default branch, the alert page for any given alert will still only reflect the alert's status on the default branch, even if that status conflicts with the status on a non-default branch. For example, an alert that appears in the "Open" list in the summary of alerts for `branch-x` could show a status of "Fixed" on the alert page, if the alert is already fixed on the default branch. You can view the status of the alert for the branch you filtered on in the **Affected branches** section on the right side of the alert page.
diff --git a/translations/pt-BR/data/reusables/codespaces/billing-for-prebuilds.md b/translations/pt-BR/data/reusables/codespaces/billing-for-prebuilds.md
index 8782eda595..68d33a3a6d 100644
--- a/translations/pt-BR/data/reusables/codespaces/billing-for-prebuilds.md
+++ b/translations/pt-BR/data/reusables/codespaces/billing-for-prebuilds.md
@@ -4,4 +4,4 @@ Alongside {% data variables.product.prodname_actions %} minutes, you will also b
To reduce consumption of Actions minutes, you can set a prebuild template to be updated only when you make a change to your dev container configuration files, or only on a custom schedule. You can also manage your storage usage by adjusting the number of template versions to be retained for your prebuild configurations. Para obter mais informações, consulte "[Configurando pré-criações](/codespaces/prebuilding-your-codespaces/configuring-prebuilds#configuring-a-prebuild)".
-If you are an organization owner, you can track usage of prebuild workflows and storage by downloading a {% data variables.product.prodname_actions %} usage report for your organization. You can identify workflow runs for prebuilds by filtering the CSV output to only include the workflow called "Create Codespaces Prebuilds." Para obter mais informações, consulte "[Visualizar o uso do seu {% data variables.product.prodname_actions %}](/billing/managing-billing-for-github-actions/viewing-your-github-actions-usage#viewing-github-actions-usage-for-your-organization)".
\ No newline at end of file
+If you are an organization owner, you can track usage of prebuild workflows and storage by downloading a {% data variables.product.prodname_actions %} usage report for your organization. You can identify workflow runs for prebuilds by filtering the CSV output to only include the workflow called "Create Codespaces Prebuilds." Para obter mais informações, consulte "[Visualizar o uso do seu {% data variables.product.prodname_actions %}](/billing/managing-billing-for-github-actions/viewing-your-github-actions-usage#viewing-github-actions-usage-for-your-organization)".
diff --git a/translations/pt-BR/data/reusables/codespaces/codespaces-machine-type-availability.md b/translations/pt-BR/data/reusables/codespaces/codespaces-machine-type-availability.md
index dfb2724e14..557b845f10 100644
--- a/translations/pt-BR/data/reusables/codespaces/codespaces-machine-type-availability.md
+++ b/translations/pt-BR/data/reusables/codespaces/codespaces-machine-type-availability.md
@@ -1 +1 @@
-Your choice of available machine types may be limited by a policy configured for your organization, or by a minimum machine type specification for your repository. For more information, see "[Restricting access to machine types](/codespaces/managing-codespaces-for-your-organization/restricting-access-to-machine-types)" and "[Setting a minimum specification for codespace machines](/codespaces/setting-up-your-project-for-codespaces/setting-a-minimum-specification-for-codespace-machines)."
\ No newline at end of file
+Your choice of available machine types may be limited by a policy configured for your organization, or by a minimum machine type specification for your repository. For more information, see "[Restricting access to machine types](/codespaces/managing-codespaces-for-your-organization/restricting-access-to-machine-types)" and "[Setting a minimum specification for codespace machines](/codespaces/setting-up-your-project-for-codespaces/setting-a-minimum-specification-for-codespace-machines)."
diff --git a/translations/pt-BR/data/reusables/codespaces/codespaces-machine-types.md b/translations/pt-BR/data/reusables/codespaces/codespaces-machine-types.md
index 17b94e9f2c..673e913a53 100644
--- a/translations/pt-BR/data/reusables/codespaces/codespaces-machine-types.md
+++ b/translations/pt-BR/data/reusables/codespaces/codespaces-machine-types.md
@@ -1,3 +1,3 @@
Typically, you can run your codespace on a choice of remote machine, from 2 cores to 32 cores. Cada uma delas tem um nível diferente de recursos e uma camada diferente de cobrança. For information, see "[About billing for Codespaces](/github/developing-online-with-codespaces/about-billing-for-codespaces)."
-By default the machine type with the lowest valid resources is used when you create a codespace.
\ No newline at end of file
+By default the machine type with the lowest valid resources is used when you create a codespace.
diff --git a/translations/pt-BR/data/reusables/codespaces/codespaces-org-policies.md b/translations/pt-BR/data/reusables/codespaces/codespaces-org-policies.md
index 8302bdc4bf..bec3036afb 100644
--- a/translations/pt-BR/data/reusables/codespaces/codespaces-org-policies.md
+++ b/translations/pt-BR/data/reusables/codespaces/codespaces-org-policies.md
@@ -1,3 +1,3 @@
1. Na seção "Código, planejamento e automação" da barra lateral, selecione **{% octicon "codespaces" aria-label="The codespaces icon" %} {% data variables.product.prodname_codespaces %}** e, em seguida, clique em **Políticas**.
1. Na página "Políticas do codespace", clique em **Criar política**.
-1. Insira um nome para sua nova política.
\ No newline at end of file
+1. Insira um nome para sua nova política.
diff --git a/translations/pt-BR/data/reusables/codespaces/codespaces-spending-limit-requirement.md b/translations/pt-BR/data/reusables/codespaces/codespaces-spending-limit-requirement.md
index 105960fe13..370656971e 100644
--- a/translations/pt-BR/data/reusables/codespaces/codespaces-spending-limit-requirement.md
+++ b/translations/pt-BR/data/reusables/codespaces/codespaces-spending-limit-requirement.md
@@ -6,4 +6,4 @@
By default, your organization or enterprise will have a {% data variables.product.prodname_codespaces %} spending limit of $0, which prevents new codespaces from being created or existing codespaces from being opened. To allow your users to create codespaces in your organization, set the limit to a value higher than $0.
-{% data reusables.billing.overages-billed-monthly %}
\ No newline at end of file
+{% data reusables.billing.overages-billed-monthly %}
diff --git a/translations/pt-BR/data/reusables/codespaces/command-palette-container.md b/translations/pt-BR/data/reusables/codespaces/command-palette-container.md
index 16b0f9df96..1f3ba91d16 100644
--- a/translations/pt-BR/data/reusables/codespaces/command-palette-container.md
+++ b/translations/pt-BR/data/reusables/codespaces/command-palette-container.md
@@ -1,3 +1,3 @@
-1. Access the {% data variables.product.prodname_vscode_command_palette %} (`Shift + Command + P` / `Ctrl + Shift + P`), then start typing "dev container". Selecione **Codespaces: Adicionar arquivos de configuração de Contêiner do Desenvolvimento...**.
+1. Access the {% data variables.product.prodname_vscode_command_palette %} (Shift+Command+P (Mac) / Ctrl+Shift+P (Windows/Linux)), then start typing "dev container". Selecione **Codespaces: Adicionar arquivos de configuração de Contêiner do Desenvolvimento...**.

diff --git a/translations/pt-BR/data/reusables/codespaces/customize-vcpus-and-ram.md b/translations/pt-BR/data/reusables/codespaces/customize-vcpus-and-ram.md
index 34a8e68da0..61b711b404 100644
--- a/translations/pt-BR/data/reusables/codespaces/customize-vcpus-and-ram.md
+++ b/translations/pt-BR/data/reusables/codespaces/customize-vcpus-and-ram.md
@@ -2,4 +2,4 @@ Você pode personalizar o seu codespace ajustando a quantidade de vCPUs e RAM, [
{% data variables.product.prodname_codespaces %} uses a file called `devcontainer.json` to configure the development container that you use when you work in a codespace. Each repository can contain one or more `devcontainer.json` files, to give you exactly the development environment you need to work on your code in a codespace.
-On launch, {% data variables.product.prodname_codespaces %} uses a `devcontainer.json` file, and any dependent files that make up the dev container configuration, to install tools and runtimes, and perform other setup tasks that the project requires. Para obter mais informações, consulte "[Introdução a contêineres de desenvolvimento](/codespaces/setting-up-your-codespace/configuring-codespaces-for-your-project)".
\ No newline at end of file
+On launch, {% data variables.product.prodname_codespaces %} uses a `devcontainer.json` file, and any dependent files that make up the dev container configuration, to install tools and runtimes, and perform other setup tasks that the project requires. Para obter mais informações, consulte "[Introdução a contêineres de desenvolvimento](/codespaces/setting-up-your-codespace/configuring-codespaces-for-your-project)".
diff --git a/translations/pt-BR/data/reusables/codespaces/more-info-devcontainer.md b/translations/pt-BR/data/reusables/codespaces/more-info-devcontainer.md
index f0fd5c863b..0980b3abc4 100644
--- a/translations/pt-BR/data/reusables/codespaces/more-info-devcontainer.md
+++ b/translations/pt-BR/data/reusables/codespaces/more-info-devcontainer.md
@@ -1 +1 @@
-For information about the settings and properties that you can set in a `devcontainer.json` file, see "[devcontainer.json reference](https://aka.ms/vscode-remote/devcontainer.json)" in the {% data variables.product.prodname_vscode_shortname %} documentation.
\ No newline at end of file
+For information about the settings and properties that you can set in a `devcontainer.json` file, see "[devcontainer.json reference](https://aka.ms/vscode-remote/devcontainer.json)" in the {% data variables.product.prodname_vscode_shortname %} documentation.
diff --git a/translations/pt-BR/data/reusables/codespaces/next-steps-adding-devcontainer.md b/translations/pt-BR/data/reusables/codespaces/next-steps-adding-devcontainer.md
index 5b7a6adcdb..6fe065cd0a 100644
--- a/translations/pt-BR/data/reusables/codespaces/next-steps-adding-devcontainer.md
+++ b/translations/pt-BR/data/reusables/codespaces/next-steps-adding-devcontainer.md
@@ -1,3 +1,3 @@
- [Gerenciar segredos criptografados para {% data variables.product.prodname_codespaces %}](/codespaces/working-with-your-codespace/managing-encrypted-secrets-for-codespaces)
- [Gerenciar a verificação de GPG para {% data variables.product.prodname_codespaces %}](/codespaces/working-with-your-codespace/managing-gpg-verification-for-codespaces)
-- [Encaminhar portas no seu código](/codespaces/developing-in-codespaces/forwarding-ports-in-your-codespace)
\ No newline at end of file
+- [Encaminhar portas no seu código](/codespaces/developing-in-codespaces/forwarding-ports-in-your-codespace)
diff --git a/translations/pt-BR/data/reusables/codespaces/prebuilds-not-available.md b/translations/pt-BR/data/reusables/codespaces/prebuilds-not-available.md
index 86d9150551..c82899edb6 100644
--- a/translations/pt-BR/data/reusables/codespaces/prebuilds-not-available.md
+++ b/translations/pt-BR/data/reusables/codespaces/prebuilds-not-available.md
@@ -1 +1 @@
-Prebuilds are not available if you choose to use a `devcontainer.json` file from a `.devcontainer/SUBDIRECTORY` location when you create a codespace. For information about choosing a `devcontainer.json` file, see "[Creating a codespace](/codespaces/developing-in-codespaces/creating-a-codespace#creating-a-codespace)."
\ No newline at end of file
+Prebuilds are not available if you choose to use a `devcontainer.json` file from a `.devcontainer/SUBDIRECTORY` location when you create a codespace. For information about choosing a `devcontainer.json` file, see "[Creating a codespace](/codespaces/developing-in-codespaces/creating-a-codespace#creating-a-codespace)."
diff --git a/translations/pt-BR/data/reusables/codespaces/rebuild-reason.md b/translations/pt-BR/data/reusables/codespaces/rebuild-reason.md
index 58e186b39d..ce7d20a2cc 100644
--- a/translations/pt-BR/data/reusables/codespaces/rebuild-reason.md
+++ b/translations/pt-BR/data/reusables/codespaces/rebuild-reason.md
@@ -1 +1 @@
-A reconstrução dentro do seu codespace garante que as suas alterações funcionem conforme o esperado antes de realizar o commit das alterações no repositório. Se algo falhar, você será colocado em um codespace com um contêiner de recuperação que você pode reconstruir para continuar ajustando o seu contêiner.
\ No newline at end of file
+A reconstrução dentro do seu codespace garante que as suas alterações funcionem conforme o esperado antes de realizar o commit das alterações no repositório. Se algo falhar, você será colocado em um codespace com um contêiner de recuperação que você pode reconstruir para continuar ajustando o seu contêiner.
diff --git a/translations/pt-BR/data/reusables/codespaces/restrict-port-visibility.md b/translations/pt-BR/data/reusables/codespaces/restrict-port-visibility.md
index 6e9d886e11..ca3354a30d 100644
--- a/translations/pt-BR/data/reusables/codespaces/restrict-port-visibility.md
+++ b/translations/pt-BR/data/reusables/codespaces/restrict-port-visibility.md
@@ -1 +1 @@
-Os proprietários da organização podem restringir a capacidade de tornar portas encaminhadas disponíveis publicamente ou dentro da organização. Para obter mais informações, consulte "[Restringindo a visibilidade das portas encaminhadas](/codespaces/managing-codespaces-for-your-organization/restricting-the-visibility-of-forwarded-ports). "
\ No newline at end of file
+Os proprietários da organização podem restringir a capacidade de tornar portas encaminhadas disponíveis publicamente ou dentro da organização. Para obter mais informações, consulte "[Restringindo a visibilidade das portas encaminhadas](/codespaces/managing-codespaces-for-your-organization/restricting-the-visibility-of-forwarded-ports). "
diff --git a/translations/pt-BR/data/reusables/codespaces/setup-custom-devcontainer.md b/translations/pt-BR/data/reusables/codespaces/setup-custom-devcontainer.md
index 2a8dd9cfde..5a973ebb51 100644
--- a/translations/pt-BR/data/reusables/codespaces/setup-custom-devcontainer.md
+++ b/translations/pt-BR/data/reusables/codespaces/setup-custom-devcontainer.md
@@ -1 +1 @@
-To set up your repository to use a custom dev container, you will need to create one or more `devcontainer.json` files. You can add these either from a template, in {% data variables.product.prodname_vscode %}, or you can write your own. For more information on dev container configurations, see "[Introduction to dev containers](/codespaces/setting-up-your-codespace/configuring-codespaces-for-your-project)".
\ No newline at end of file
+To set up your repository to use a custom dev container, you will need to create one or more `devcontainer.json` files. You can add these either from a template, in {% data variables.product.prodname_vscode %}, or you can write your own. For more information on dev container configurations, see "[Introduction to dev containers](/codespaces/setting-up-your-codespace/configuring-codespaces-for-your-project)".
diff --git a/translations/pt-BR/data/reusables/copilot/accept-or-reject-suggestion.md b/translations/pt-BR/data/reusables/copilot/accept-or-reject-suggestion.md
index 462852d6c3..56cc4ec30a 100644
--- a/translations/pt-BR/data/reusables/copilot/accept-or-reject-suggestion.md
+++ b/translations/pt-BR/data/reusables/copilot/accept-or-reject-suggestion.md
@@ -1 +1 @@
-1. To accept a suggestion, press Tab. To reject all suggestions, press Esc.
\ No newline at end of file
+1. To accept a suggestion, press Tab. To reject all suggestions, press Esc.
diff --git a/translations/pt-BR/data/reusables/copilot/accept-suggestion-new-tab.md b/translations/pt-BR/data/reusables/copilot/accept-suggestion-new-tab.md
index 539e42935d..183cf25da8 100644
--- a/translations/pt-BR/data/reusables/copilot/accept-suggestion-new-tab.md
+++ b/translations/pt-BR/data/reusables/copilot/accept-suggestion-new-tab.md
@@ -1 +1 @@
-1. To accept a suggestion from the new tab, above the suggestion you want to accept, click **Accept solution**.
\ No newline at end of file
+1. To accept a suggestion from the new tab, above the suggestion you want to accept, click **Accept solution**.
diff --git a/translations/pt-BR/data/reusables/copilot/close-suggestions-tab.md b/translations/pt-BR/data/reusables/copilot/close-suggestions-tab.md
index 0ba4288e62..22b4ce4d82 100644
--- a/translations/pt-BR/data/reusables/copilot/close-suggestions-tab.md
+++ b/translations/pt-BR/data/reusables/copilot/close-suggestions-tab.md
@@ -1 +1 @@
-1. Alternatively, to reject all suggestions, close the suggestions tab.
\ No newline at end of file
+1. Alternatively, to reject all suggestions, close the suggestions tab.
diff --git a/translations/pt-BR/data/reusables/copilot/copilot-prerequisites.md b/translations/pt-BR/data/reusables/copilot/copilot-prerequisites.md
index d3e0b598f4..d95a851523 100644
--- a/translations/pt-BR/data/reusables/copilot/copilot-prerequisites.md
+++ b/translations/pt-BR/data/reusables/copilot/copilot-prerequisites.md
@@ -1,2 +1,2 @@
- {% data variables.product.prodname_copilot %} is free to use for verified students and open source maintainers.
-- If you are not a student or open source maintainer, you can try {% data variables.product.prodname_copilot %} for free with a one-time 60 day trial. After the free trial, you will need a paid subscription for continued use. You must provide billing information in order to start a free trial. Para obter mais informações, consulte "[Sobre a cobrança do {% data variables.product.prodname_copilot %}](/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot)".
\ No newline at end of file
+- If you are not a student or open source maintainer, you can try {% data variables.product.prodname_copilot %} for free with a one-time 60 day trial. After the free trial, you will need a paid subscription for continued use. You must provide billing information in order to start a free trial. Para obter mais informações, consulte "[Sobre a cobrança do {% data variables.product.prodname_copilot %}](/billing/managing-billing-for-github-copilot/about-billing-for-github-copilot)".
diff --git a/translations/pt-BR/data/reusables/copilot/create-c-file.md b/translations/pt-BR/data/reusables/copilot/create-c-file.md
index ad5e9391ed..9a40edc6ce 100644
--- a/translations/pt-BR/data/reusables/copilot/create-c-file.md
+++ b/translations/pt-BR/data/reusables/copilot/create-c-file.md
@@ -1 +1 @@
-1. In {% data variables.product.prodname_vs %}, create a new C# (_*.cs_) file.
\ No newline at end of file
+1. In {% data variables.product.prodname_vs %}, create a new C# (_*.cs_) file.
diff --git a/translations/pt-BR/data/reusables/copilot/create-js-file.md b/translations/pt-BR/data/reusables/copilot/create-js-file.md
index aa5ba22250..38946eaa58 100644
--- a/translations/pt-BR/data/reusables/copilot/create-js-file.md
+++ b/translations/pt-BR/data/reusables/copilot/create-js-file.md
@@ -1 +1 @@
-1. In {% data variables.product.prodname_vscode %}, create a new JavaScript (_*.js_) file.
\ No newline at end of file
+1. In {% data variables.product.prodname_vscode %}, create a new JavaScript (_*.js_) file.
diff --git a/translations/pt-BR/data/reusables/copilot/dotcom-settings.md b/translations/pt-BR/data/reusables/copilot/dotcom-settings.md
index fcb771d682..80318ab8a0 100644
--- a/translations/pt-BR/data/reusables/copilot/dotcom-settings.md
+++ b/translations/pt-BR/data/reusables/copilot/dotcom-settings.md
@@ -16,4 +16,4 @@ You can configure how {% data variables.product.prodname_copilot %} uses your da
{% data reusables.user-settings.access_settings %}
{% data reusables.user-settings.copilot-settings %}
1. To allow or prevent {% data variables.product.prodname_dotcom %} using your telemetry data, select or deselect **Allow {% data variables.product.prodname_dotcom %} to use my code snippets for product improvements**. 
-{% data reusables.copilot.save-settings %}
\ No newline at end of file
+{% data reusables.copilot.save-settings %}
diff --git a/translations/pt-BR/data/reusables/copilot/enabling-disabling-in-jetbrains.md b/translations/pt-BR/data/reusables/copilot/enabling-disabling-in-jetbrains.md
index b0b5a8ce39..9b8c79a192 100644
--- a/translations/pt-BR/data/reusables/copilot/enabling-disabling-in-jetbrains.md
+++ b/translations/pt-BR/data/reusables/copilot/enabling-disabling-in-jetbrains.md
@@ -3,4 +3,4 @@
You can enable or disable {% data variables.product.prodname_copilot %} from within JetBrains. O ícone de status {% data variables.product.prodname_copilot %} na parte inferior da janela do JetBrains indica se o {% data variables.product.prodname_copilot %} está habilitado ou desabilitado. Quando habilitado, o ícone é destacado. Quando desabilitado, o ícone fica inativo.
1. Para habilitar ou desabilitar {% data variables.product.prodname_copilot %}, clique no ícone de status no painel inferior da janela do JetBrains. 
-2. If you are disabling {% data variables.product.prodname_copilot %}, JetBrains will ask whether you want to disable the feature globally, or for the language of the file you are currently editing. Para desabilitar globalmente, clique em **Desabilitar as conclusões**. Alternatively, click the button to disable completions for the language of the file you are currently editing. 
\ No newline at end of file
+2. If you are disabling {% data variables.product.prodname_copilot %}, JetBrains will ask whether you want to disable the feature globally, or for the language of the file you are currently editing. Para desabilitar globalmente, clique em **Desabilitar as conclusões**. Alternatively, click the button to disable completions for the language of the file you are currently editing. 
diff --git a/translations/pt-BR/data/reusables/copilot/enabling-or-disabling-vs.md b/translations/pt-BR/data/reusables/copilot/enabling-or-disabling-vs.md
index 25aad129e7..0a6cb927ea 100644
--- a/translations/pt-BR/data/reusables/copilot/enabling-or-disabling-vs.md
+++ b/translations/pt-BR/data/reusables/copilot/enabling-or-disabling-vs.md
@@ -6,4 +6,4 @@ The {% data variables.product.prodname_copilot %} status icon in the bottom pane
2. If you are disabling {% data variables.product.prodname_copilot %}, you will be asked whether you want to disable suggestions globally, or for the language of the file you are currently editing.
- To disable suggestions from {% data variables.product.prodname_copilot %} globally, click **Enable Globally**.
- - To disable suggestions from {% data variables.product.prodname_copilot %} for the specified language, click **Enable for _LANGUAGE_**.
\ No newline at end of file
+ - To disable suggestions from {% data variables.product.prodname_copilot %} for the specified language, click **Enable for _LANGUAGE_**.
diff --git a/translations/pt-BR/data/reusables/copilot/getting-started-further-reading.md b/translations/pt-BR/data/reusables/copilot/getting-started-further-reading.md
index 51f14c215f..4c7f151530 100644
--- a/translations/pt-BR/data/reusables/copilot/getting-started-further-reading.md
+++ b/translations/pt-BR/data/reusables/copilot/getting-started-further-reading.md
@@ -1,4 +1,4 @@
## Leia mais
- [{% data variables.product.prodname_copilot %}](https://copilot.github.com/)
-- [Sobre {% data variables.product.prodname_copilot %}](/copilot/overview-of-github-copilot/about-github-copilot)
\ No newline at end of file
+- [Sobre {% data variables.product.prodname_copilot %}](/copilot/overview-of-github-copilot/about-github-copilot)
diff --git a/translations/pt-BR/data/reusables/copilot/install-copilot-in-neovim.md b/translations/pt-BR/data/reusables/copilot/install-copilot-in-neovim.md
index fc5dd62181..d2de9c1036 100644
--- a/translations/pt-BR/data/reusables/copilot/install-copilot-in-neovim.md
+++ b/translations/pt-BR/data/reusables/copilot/install-copilot-in-neovim.md
@@ -1,2 +1,2 @@
1. To use {% data variables.product.prodname_copilot %} in Neovim, install the {% data variables.product.prodname_copilot %} plugin. You can either install the plugin from a plugin manager or directly.
- - If you use a plugin manager like vim-plug or packer.nvim, use the plugin manager to install `github/copilot.vim`. For more information, see the documentation for the plugin manager. For example, you can see the documentation for [vim-plug](https://github.com/junegunn/vim-plug) or [packer.nvim](https://github.com/wbthomason/packer.nvim).
\ No newline at end of file
+ - If you use a plugin manager like vim-plug or packer.nvim, use the plugin manager to install `github/copilot.vim`. For more information, see the documentation for the plugin manager. For example, you can see the documentation for [vim-plug](https://github.com/junegunn/vim-plug) or [packer.nvim](https://github.com/wbthomason/packer.nvim).
diff --git a/translations/pt-BR/data/reusables/copilot/jetbrains-ides.md b/translations/pt-BR/data/reusables/copilot/jetbrains-ides.md
index cc4e629c1a..8beae81654 100644
--- a/translations/pt-BR/data/reusables/copilot/jetbrains-ides.md
+++ b/translations/pt-BR/data/reusables/copilot/jetbrains-ides.md
@@ -16,4 +16,4 @@ To use {% data variables.product.prodname_copilot %} in JetBrains, you must have
- RubyMine
- WebStorm
-For more information, see the [JetBrains IDEs](https://www.jetbrains.com/products/) tool finder.
\ No newline at end of file
+For more information, see the [JetBrains IDEs](https://www.jetbrains.com/products/) tool finder.
diff --git a/translations/pt-BR/data/reusables/copilot/procedural-intro.md b/translations/pt-BR/data/reusables/copilot/procedural-intro.md
index f7d7b2f2d5..0296945838 100644
--- a/translations/pt-BR/data/reusables/copilot/procedural-intro.md
+++ b/translations/pt-BR/data/reusables/copilot/procedural-intro.md
@@ -1 +1 @@
-{% data variables.product.prodname_copilot %} provides autocomplete-style suggestions from an AI pair programmer as you code. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_copilot %}](/copilot/overview-of-github-copilot/about-github-copilot)".
\ No newline at end of file
+{% data variables.product.prodname_copilot %} provides autocomplete-style suggestions from an AI pair programmer as you code. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_copilot %}](/copilot/overview-of-github-copilot/about-github-copilot)".
diff --git a/translations/pt-BR/data/reusables/copilot/reject-suggestions-escape.md b/translations/pt-BR/data/reusables/copilot/reject-suggestions-escape.md
index e80777941a..6d7bfe5886 100644
--- a/translations/pt-BR/data/reusables/copilot/reject-suggestions-escape.md
+++ b/translations/pt-BR/data/reusables/copilot/reject-suggestions-escape.md
@@ -1 +1 @@
-1. Alternatively, to reject all suggestions, press Esc.
\ No newline at end of file
+1. Alternatively, to reject all suggestions, press Esc.
diff --git a/translations/pt-BR/data/reusables/copilot/save-settings.md b/translations/pt-BR/data/reusables/copilot/save-settings.md
index d67bf91c40..9bfed3a0d8 100644
--- a/translations/pt-BR/data/reusables/copilot/save-settings.md
+++ b/translations/pt-BR/data/reusables/copilot/save-settings.md
@@ -1 +1 @@
-1. To confirm your new settings, click **Save**.
\ No newline at end of file
+1. To confirm your new settings, click **Save**.
diff --git a/translations/pt-BR/data/reusables/copilot/see-alternative-suggestions.md b/translations/pt-BR/data/reusables/copilot/see-alternative-suggestions.md
index d24b0b5e74..4e39f7b40b 100644
--- a/translations/pt-BR/data/reusables/copilot/see-alternative-suggestions.md
+++ b/translations/pt-BR/data/reusables/copilot/see-alternative-suggestions.md
@@ -1 +1 @@
-1. Optionally, you can see alternative suggestions, if any are available.
\ No newline at end of file
+1. Optionally, you can see alternative suggestions, if any are available.
diff --git a/translations/pt-BR/data/reusables/copilot/signup-procedure.md b/translations/pt-BR/data/reusables/copilot/signup-procedure.md
index de8f76deef..c8f1be52e9 100644
--- a/translations/pt-BR/data/reusables/copilot/signup-procedure.md
+++ b/translations/pt-BR/data/reusables/copilot/signup-procedure.md
@@ -14,4 +14,4 @@ Antes de começar a usar {% data variables.product.prodname_copilot %}, você de

- You can change these preferences at a later time by returning to your {% data variables.product.prodname_copilot %} settings. For more information, see "[Configuring GitHub Copilot in Visual Studio Code](/copilot/configuring-github-copilot/configuring-github-copilot-in-visual-studio-code#configuring-github-copilot-settings-on-githubcom)."
\ No newline at end of file
+ You can change these preferences at a later time by returning to your {% data variables.product.prodname_copilot %} settings. For more information, see "[Configuring GitHub Copilot in Visual Studio Code](/copilot/configuring-github-copilot/configuring-github-copilot-in-visual-studio-code#configuring-github-copilot-settings-on-githubcom)."
diff --git a/translations/pt-BR/data/reusables/copilot/suggestions-new-tab.md b/translations/pt-BR/data/reusables/copilot/suggestions-new-tab.md
index 64653d5bbf..7f89c6b13f 100644
--- a/translations/pt-BR/data/reusables/copilot/suggestions-new-tab.md
+++ b/translations/pt-BR/data/reusables/copilot/suggestions-new-tab.md
@@ -1 +1 @@
-You may not want any of the initial suggestions {% data variables.product.prodname_copilot %} offers. You can use a keyboard shortcut to prompt {% data variables.product.prodname_copilot %} to show you multiple suggestions in a new tab.
\ No newline at end of file
+You may not want any of the initial suggestions {% data variables.product.prodname_copilot %} offers. You can use a keyboard shortcut to prompt {% data variables.product.prodname_copilot %} to show you multiple suggestions in a new tab.
diff --git a/translations/pt-BR/data/reusables/copilot/type-function-header-c.md b/translations/pt-BR/data/reusables/copilot/type-function-header-c.md
index 0f416d112d..867e1213dc 100644
--- a/translations/pt-BR/data/reusables/copilot/type-function-header-c.md
+++ b/translations/pt-BR/data/reusables/copilot/type-function-header-c.md
@@ -2,4 +2,4 @@
```csharp{:copy}
function calculateDaysBetweenDates(begin, end) {
- ```
\ No newline at end of file
+ ```
diff --git a/translations/pt-BR/data/reusables/copilot/type-function-header.md b/translations/pt-BR/data/reusables/copilot/type-function-header.md
index 96cf93e7d1..c898ccbb05 100644
--- a/translations/pt-BR/data/reusables/copilot/type-function-header.md
+++ b/translations/pt-BR/data/reusables/copilot/type-function-header.md
@@ -3,4 +3,4 @@
```javascript{:copy}
function calculateDaysBetweenDates(begin, end) {
```
-
\ No newline at end of file
+
diff --git a/translations/pt-BR/data/reusables/copilot/windows-linux-next-suggestion.md b/translations/pt-BR/data/reusables/copilot/windows-linux-next-suggestion.md
index ff6799e72b..b4eb718d8f 100644
--- a/translations/pt-BR/data/reusables/copilot/windows-linux-next-suggestion.md
+++ b/translations/pt-BR/data/reusables/copilot/windows-linux-next-suggestion.md
@@ -1 +1 @@
-- On Windows or Linux, press Alt+] for the next suggestion, or Alt+[ for the previous suggestion.
\ No newline at end of file
+- On Windows or Linux, press Alt+] for the next suggestion, or Alt+[ for the previous suggestion.
diff --git a/translations/pt-BR/data/reusables/dependabot/ghes-ghae-enabling-dependency-graph.md b/translations/pt-BR/data/reusables/dependabot/ghes-ghae-enabling-dependency-graph.md
index f070afdf30..4e7ca9db82 100644
--- a/translations/pt-BR/data/reusables/dependabot/ghes-ghae-enabling-dependency-graph.md
+++ b/translations/pt-BR/data/reusables/dependabot/ghes-ghae-enabling-dependency-graph.md
@@ -1 +1 @@
-If the dependency graph is not available in your system, your enterprise owner can enable the dependency graph. Para obter mais informações, consulte "[Habilitando o gráfico de dependências para sua empresa](/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise)".
\ No newline at end of file
+If the dependency graph is not available in your system, your enterprise owner can enable the dependency graph. Para obter mais informações, consulte "[Habilitando o gráfico de dependências para sua empresa](/admin/code-security/managing-supply-chain-security-for-your-enterprise/enabling-the-dependency-graph-for-your-enterprise)".
diff --git a/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-beta-note.md b/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-beta-note.md
index 23aaae3ec2..01b1e2f260 100644
--- a/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-beta-note.md
+++ b/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-beta-note.md
@@ -2,4 +2,4 @@
**Note**: The {% data variables.product.prodname_dependency_review_action %} is currently in public beta and subject to change.
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-overview.md b/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-overview.md
index 49112365d7..fdfb2f6f8c 100644
--- a/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-overview.md
+++ b/translations/pt-BR/data/reusables/dependency-review/dependency-review-action-overview.md
@@ -1,3 +1,3 @@
The {% data variables.product.prodname_dependency_review_action %} scans your pull requests for dependency changes and raises an error if any new dependencies have known vulnerabilities. The action is supported by an API endpoint that compares the dependencies between two revisions and reports any differences.
-For more information about the action and the API endpoint, see "[About dependency review](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review#dependency-review-reinforcement)," and "[Dependency review](/rest/dependency-graph/dependency-review)" in the API documentation, respectively.
\ No newline at end of file
+For more information about the action and the API endpoint, see "[About dependency review](/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review#dependency-review-reinforcement)," and "[Dependency review](/rest/dependency-graph/dependency-review)" in the API documentation, respectively.
diff --git a/translations/pt-BR/data/reusables/dependency-review/dependency-review-api-beta-note.md b/translations/pt-BR/data/reusables/dependency-review/dependency-review-api-beta-note.md
index d93a217cd8..73ee2bb66a 100644
--- a/translations/pt-BR/data/reusables/dependency-review/dependency-review-api-beta-note.md
+++ b/translations/pt-BR/data/reusables/dependency-review/dependency-review-api-beta-note.md
@@ -2,4 +2,4 @@
**Note**: The Dependency Review API is currently in public beta and subject to change.
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/dependency-submission/dependency-submission-link.md b/translations/pt-BR/data/reusables/dependency-submission/dependency-submission-link.md
index fc8345161e..2af2d1d10a 100644
--- a/translations/pt-BR/data/reusables/dependency-submission/dependency-submission-link.md
+++ b/translations/pt-BR/data/reusables/dependency-submission/dependency-submission-link.md
@@ -1 +1 @@
-Additionally, you can use the Dependency submission API (beta) to submit dependencies from the package manager or ecosystem of your choice, even if the ecosystem is not supported by dependency graph for manifest or lock file analysis. O gráfico de dependência exibirá as dependências submetidas agrupadas pelo ecossistema, mas separadamente das dependências analisadas dos arquivos manifestos ou de bloqueio. For more information on the Dependency submission API, see "[Using the Dependency submission API](/code-security/supply-chain-security/understanding-your-software-supply-chain/using-the-dependency-submission-api)."
\ No newline at end of file
+Additionally, you can use the Dependency submission API (beta) to submit dependencies from the package manager or ecosystem of your choice, even if the ecosystem is not supported by dependency graph for manifest or lock file analysis. O gráfico de dependência exibirá as dependências submetidas agrupadas pelo ecossistema, mas separadamente das dependências analisadas dos arquivos manifestos ou de bloqueio. Para obter mais informações sobre a API de envio de dependência, consulte "[Usando a API de envio de dependência](/code-security/supply-chain-security/understanding-your-software-supply-chain/using-the-dependency-submission-api)"
diff --git a/translations/pt-BR/data/reusables/desktop/sign-in-browser.md b/translations/pt-BR/data/reusables/desktop/sign-in-browser.md
index 9696569597..bebd86687b 100644
--- a/translations/pt-BR/data/reusables/desktop/sign-in-browser.md
+++ b/translations/pt-BR/data/reusables/desktop/sign-in-browser.md
@@ -1 +1 @@
-1. In the "Sign in Using Your Browser" pane, click **Continue With Browser**. {% data variables.product.prodname_desktop %} abrirá seu navegador padrão. 
\ No newline at end of file
+1. In the "Sign in Using Your Browser" pane, click **Continue With Browser**. {% data variables.product.prodname_desktop %} abrirá seu navegador padrão. 
diff --git a/translations/pt-BR/data/reusables/discussions/starting-a-poll.md b/translations/pt-BR/data/reusables/discussions/starting-a-poll.md
index 0ecfc99b37..81494b8734 100644
--- a/translations/pt-BR/data/reusables/discussions/starting-a-poll.md
+++ b/translations/pt-BR/data/reusables/discussions/starting-a-poll.md
@@ -6,4 +6,4 @@
1. Type a question for your poll. 
1. Type at least two options for your poll. 
1. Optionally, to add a extra poll options, click **Add an option**. 
-1. Click **Start poll**. 
\ No newline at end of file
+1. Click **Start poll**. 
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/actions-runners-tab.md b/translations/pt-BR/data/reusables/enterprise-accounts/actions-runners-tab.md
index 35d1fd1d75..dcebaac2b9 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/actions-runners-tab.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/actions-runners-tab.md
@@ -1 +1 @@
-1. Clique na aba {% ifversion fpt or ghes > 3.1 or ghae or ghec %}**Executores**{% else %}**Executores auto-hospedados **{% endif %}.
+1. Click the **Runners** tab.
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/approved-domains-beta-note.md b/translations/pt-BR/data/reusables/enterprise-accounts/approved-domains-beta-note.md
index 7a9b002eb5..e967efdbc4 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/approved-domains-beta-note.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/approved-domains-beta-note.md
@@ -1,4 +1,4 @@
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}
{% note %}
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/emu-azure-admin-consent.md b/translations/pt-BR/data/reusables/enterprise-accounts/emu-azure-admin-consent.md
index 22ac9ba7bc..4e56f795e2 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/emu-azure-admin-consent.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/emu-azure-admin-consent.md
@@ -3,4 +3,4 @@
**Warning:** You must sign in to Azure AD as a user with global admin rights in order to consent to the installation of the {% data variables.product.prodname_emu_idp_oidc_application %} application.
- {% endwarning %}
\ No newline at end of file
+ {% endwarning %}
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/emu-cap-validates.md b/translations/pt-BR/data/reusables/enterprise-accounts/emu-cap-validates.md
index 6701264a92..0f5e2fb0f4 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/emu-cap-validates.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/emu-cap-validates.md
@@ -1 +1 @@
-When your enterprise uses OIDC SSO, {% data variables.product.prodname_dotcom %} will automatically use your IdP's conditional access policy (CAP) IP conditions to validate user interactions with {% data variables.product.prodname_dotcom %}, when members change IP addresses, and each time a personal access token or SSH key is used.
\ No newline at end of file
+When your enterprise uses OIDC SSO, {% data variables.product.prodname_dotcom %} will automatically use your IdP's conditional access policy (CAP) IP conditions to validate user interactions with {% data variables.product.prodname_dotcom %}, when members change IP addresses, and each time a personal access token or SSH key is used.
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/oidc-beta-notice.md b/translations/pt-BR/data/reusables/enterprise-accounts/oidc-beta-notice.md
index 77e3430f95..3fd2297267 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/oidc-beta-notice.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/oidc-beta-notice.md
@@ -2,4 +2,4 @@
**Note:** OpenID Connect (OIDC) and Conditional Access Policy (CAP) support for {% data variables.product.prodname_emus %} is in public beta and only available for Azure AD.
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/oidc-gei-warning.md b/translations/pt-BR/data/reusables/enterprise-accounts/oidc-gei-warning.md
index 73ed859d44..440961984d 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/oidc-gei-warning.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/oidc-gei-warning.md
@@ -2,4 +2,4 @@
**Warning:** If you use {% data variables.product.prodname_importer_proper_name %} to migrate an organization from {% data variables.product.product_location_enterprise %}, make sure to use a service account that is exempt from Azure AD's CAP otherwise your migration may be blocked.
-{% endwarning %}
\ No newline at end of file
+{% endwarning %}
diff --git a/translations/pt-BR/data/reusables/enterprise-accounts/team-sync-override.md b/translations/pt-BR/data/reusables/enterprise-accounts/team-sync-override.md
index b396a302ca..8ce780e9f6 100644
--- a/translations/pt-BR/data/reusables/enterprise-accounts/team-sync-override.md
+++ b/translations/pt-BR/data/reusables/enterprise-accounts/team-sync-override.md
@@ -1,3 +1,3 @@
{% ifversion ghec %}
-If your organization is owned by an enterprise account, enabling team synchronization or SCIM provisioning for the enterprise account will override your organization-level team synchronization settings. For more information, see "[Managing team synchronization for organizations in your enterprise account](/admin/authentication/managing-identity-and-access-for-your-enterprise/managing-team-synchronization-for-organizations-in-your-enterprise)" and "[Configuring SCIM provisioning for Enterprise Managed Users](/github/setting-up-and-managing-your-enterprise/managing-your-enterprise-users-with-your-identity-provider/configuring-scim-provisioning-for-enterprise-managed-users)."
+Se sua organização pertencer a uma conta corporativa, habilitar a sincronização de equipes para a conta corporativa irá substituir as configurações de sincronização de equipe no nível da organização. Para obter mais informações, consulte "[Gerenciar a sincronização de equipes para organizações na sua conta corporativa](/admin/authentication/managing-identity-and-access-for-your-enterprise/managing-team-synchronization-for-organizations-in-your-enterprise)".
{% endif %}
diff --git a/translations/pt-BR/data/reusables/enterprise-licensing/about-license-sync.md b/translations/pt-BR/data/reusables/enterprise-licensing/about-license-sync.md
index 496314f8df..3718a30a20 100644
--- a/translations/pt-BR/data/reusables/enterprise-licensing/about-license-sync.md
+++ b/translations/pt-BR/data/reusables/enterprise-licensing/about-license-sync.md
@@ -1,3 +1,3 @@
For a person using multiple {% data variables.product.prodname_enterprise %} environments to only consume a single license, you must synchronize license usage between environments. Then, {% data variables.product.company_short %} will deduplicate users based on the email addresses associated with their user accounts. Multiple user accounts will consume a single license when there is a match between an account's primary email address on {% data variables.product.prodname_ghe_server %} and/or an account's verified email address on {% data variables.product.prodname_dotcom_the_website %}. For more information about verification of email addresses on {% data variables.product.prodname_dotcom_the_website %}, see "[Verifying your email address](/enterprise-cloud@latest/get-started/signing-up-for-github/verifying-your-email-address){% ifversion not ghec %}" in the {% data variables.product.prodname_ghe_cloud %} documentation.{% else %}."{% endif %}
-When you synchronize license usage, only the user ID and email addresses for each user account on {% data variables.product.prodname_ghe_server %} are transmitted to {% data variables.product.prodname_ghe_cloud %}.
\ No newline at end of file
+When you synchronize license usage, only the user ID and email addresses for each user account on {% data variables.product.prodname_ghe_server %} are transmitted to {% data variables.product.prodname_ghe_cloud %}.
diff --git a/translations/pt-BR/data/reusables/enterprise-licensing/verified-domains-license-sync.md b/translations/pt-BR/data/reusables/enterprise-licensing/verified-domains-license-sync.md
index 56140b671e..714b57dfd5 100644
--- a/translations/pt-BR/data/reusables/enterprise-licensing/verified-domains-license-sync.md
+++ b/translations/pt-BR/data/reusables/enterprise-licensing/verified-domains-license-sync.md
@@ -1,5 +1,5 @@
{% note %}
-**Note:** If you synchronize license usage and your enterprise account on {% data variables.product.prodname_dotcom_the_website %} does not use {% data variables.product.prodname_emus %}, we highly recommend enabling verified domains for your enterprise account on {% data variables.product.prodname_dotcom_the_website %}. For privacy reasons, your consumed license report only includes the email address associated with a user account on {% data variables.product.prodname_dotcom_the_website %} if the address is hosted by a verified domain. If one person is erroneously consuming multiple licenses, having access to the email address that is being used for deduplication makes troubleshooting much easier. For more information, see {% ifversion ghec or ghes > 3.1 %}"[Verifying or approving a domain for your enterprise](/enterprise-cloud@latest/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise)" and {% endif %}"[About {% data variables.product.prodname_emus %}](/enterprise-cloud@latest/admin/identity-and-access-management/managing-iam-with-enterprise-managed-users/about-enterprise-managed-users){% ifversion not ghec %}" in the {% data variables.product.prodname_ghe_cloud %} documentation.{% else %}."{% endif %}
+**Note:** If you synchronize license usage and your enterprise account on {% data variables.product.prodname_dotcom_the_website %} does not use {% data variables.product.prodname_emus %}, we highly recommend enabling verified domains for your enterprise account on {% data variables.product.prodname_dotcom_the_website %}. For privacy reasons, your consumed license report only includes the email address associated with a user account on {% data variables.product.prodname_dotcom_the_website %} if the address is hosted by a verified domain. If one person is erroneously consuming multiple licenses, having access to the email address that is being used for deduplication makes troubleshooting much easier. For more information, see {% ifversion ghec or ghes %}"[Verifying or approving a domain for your enterprise](/enterprise-cloud@latest/admin/configuration/configuring-your-enterprise/verifying-or-approving-a-domain-for-your-enterprise)" and {% endif %}"[About {% data variables.product.prodname_emus %}](/enterprise-cloud@latest/admin/identity-and-access-management/managing-iam-with-enterprise-managed-users/about-enterprise-managed-users){% ifversion not ghec %}" in the {% data variables.product.prodname_ghe_cloud %} documentation.{% else %}."{% endif %}
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/enterprise/about-policies.md b/translations/pt-BR/data/reusables/enterprise/about-policies.md
index 7fd5303231..859cbadfab 100644
--- a/translations/pt-BR/data/reusables/enterprise/about-policies.md
+++ b/translations/pt-BR/data/reusables/enterprise/about-policies.md
@@ -1 +1 @@
-Each enterprise policy controls the options available for a policy at the organization level. You can choose to not enforce a policy, which allows organization owners to configure the policy for the organization, or you can choose from a set of options to enforce for all organizations owned by your enterprise.
\ No newline at end of file
+Each enterprise policy controls the options available for a policy at the organization level. You can choose to not enforce a policy, which allows organization owners to configure the policy for the organization, or you can choose from a set of options to enforce for all organizations owned by your enterprise.
diff --git a/translations/pt-BR/data/reusables/enterprise_installation/hardware-rec-table.md b/translations/pt-BR/data/reusables/enterprise_installation/hardware-rec-table.md
index f6851efb87..b9d631a366 100644
--- a/translations/pt-BR/data/reusables/enterprise_installation/hardware-rec-table.md
+++ b/translations/pt-BR/data/reusables/enterprise_installation/hardware-rec-table.md
@@ -24,11 +24,6 @@
If you plan to enable {% data variables.product.prodname_actions %} for the users of your instance, more resources are required.
-{%- ifversion ghes < 3.2 %}
-
-{% data reusables.actions.hardware-requirements-before %}
-
-{%- endif %}
{%- ifversion ghes = 3.2 %}
diff --git a/translations/pt-BR/data/reusables/enterprise_installation/upgrade-hardware-requirements.md b/translations/pt-BR/data/reusables/enterprise_installation/upgrade-hardware-requirements.md
deleted file mode 100644
index c9dc60434a..0000000000
--- a/translations/pt-BR/data/reusables/enterprise_installation/upgrade-hardware-requirements.md
+++ /dev/null
@@ -1,25 +0,0 @@
-{% ifversion ghes < 3.2 %}
-
-### Sobre os requisitos mínimos para {% data variables.product.prodname_ghe_server %} 3.0 ou posterior
-
-Antes de atualizar para {% data variables.product.prodname_ghe_server %} 3.0 ou posterior, revise os recursos de hardware que você forneceu para sua instância. {% data variables.product.prodname_ghe_server %} 3.0 introduz novas funcionalidades, como {% data variables.product.prodname_actions %} e {% data variables.product.prodname_registry %}, e exige mais recursos do que as versões 2.22 e anteriores. Para obter mais informações, consulte as observações sobre a versão [{% data variables.product.prodname_ghe_server %} 3.0](/enterprise-server@3.0/admin/release-notes).
-
-Os requisitos aumentados para {% data variables.product.prodname_ghe_server %} 3.0 e posterior estão em **negrito** na tabela a seguir.
-
-| Licenças de usuário | vCPUs | Memória | Armazenamento anexado | Armazenamento raiz |
-|:---------------------------------------- | -----------------------------:| -------------------------------------:| -------------------------------------:| ------------------:|
-| Teste, demonstração ou 10 usuários leves | **4** _Up from 2_ | **32 GB** _Up de 16 GB_ | **150 GB** _Up de 100 GB_ | 200 GB |
-| 10-3000 | **8** _Up de 4_ | **48 GB** _Up de 32 GB_ | **300 GB** _Up de 250 GB_ | 200 GB |
-| 3000-5000 | **12** _Up de 8_ | 64 GB | 500 GB | 200 GB |
-| 5000-8000 | **16** _Up de 12_ | 96 GB | 750 GB | 200 GB |
-| 8000-10000+ | **20** _Up de 16_ | **160 GB** _Up de 128 GB_ | 1000 GB | 200 GB |
-
-{% ifversion ghes %}
-
-Para obter mais informações sobre requisitos de hardware para {% data variables.product.prodname_actions %}, consulte "[Introdução a {% data variables.product.prodname_actions %} para {% data variables.product.prodname_ghe_server %}](/admin/github-actions/getting-started-with-github-actions-for-github-enterprise-server#review-hardware-considerations)".
-
-{% endif %}
-
-{% data reusables.enterprise_installation.about-adjusting-resources %}
-
-{% endif %}
diff --git a/translations/pt-BR/data/reusables/enterprise_management_console/advanced-security-tab.md b/translations/pt-BR/data/reusables/enterprise_management_console/advanced-security-tab.md
index f6f8551cd2..0465f5ffed 100644
--- a/translations/pt-BR/data/reusables/enterprise_management_console/advanced-security-tab.md
+++ b/translations/pt-BR/data/reusables/enterprise_management_console/advanced-security-tab.md
@@ -1,2 +1 @@
-1. In the left sidebar, click {% ifversion ghes < 3.2 %}**{% data variables.product.prodname_advanced_security %}**{% else %}**Security**{% endif %}.{% ifversion ghes < 3.2 %} {% else %}
-{% endif %}
+1. Na barra lateral esquerda, clique em **Security** (Segurança). 
diff --git a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/add-key-to-web-flow-user.md b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/add-key-to-web-flow-user.md
index 915aa29d22..d92f574c69 100644
--- a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/add-key-to-web-flow-user.md
+++ b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/add-key-to-web-flow-user.md
@@ -11,4 +11,4 @@
**Note:** Do not remove other public keys from the list of GPG keys. If a public key is deleted, any commits signed with the corresponding private key will no longer be marked as verified.
- {% endnote %}
\ No newline at end of file
+ {% endnote %}
diff --git a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/create-pgp-key-web-commit-signing.md b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/create-pgp-key-web-commit-signing.md
index 9d86ff5622..a876d7be14 100644
--- a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/create-pgp-key-web-commit-signing.md
+++ b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/create-pgp-key-web-commit-signing.md
@@ -5,4 +5,4 @@
```
- Use the default key type and at least `4096` bits with no expiry.
- - Use `web-flow` as the username.
\ No newline at end of file
+ - Use `web-flow` as the username.
diff --git a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/email-settings.md b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/email-settings.md
index 0fa4ab84c2..b703f5d588 100644
--- a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/email-settings.md
+++ b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/email-settings.md
@@ -1,4 +1,4 @@
{% data reusables.enterprise_site_admin_settings.access-settings %}
{% data reusables.enterprise_site_admin_settings.management-console %}
2. Na parte superior da página, clique em **Settings** (Configurações). 
-3. Na barra lateral esquerda, clique em **Email**. 
\ No newline at end of file
+3. Na barra lateral esquerda, clique em **Email**. 
diff --git a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/pgp-key-env-variable.md b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/pgp-key-env-variable.md
index 435eea88fe..c5d6100063 100644
--- a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/pgp-key-env-variable.md
+++ b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/pgp-key-env-variable.md
@@ -2,4 +2,4 @@
```bash{:copy}
ghe-config "secrets.gpgverify.web-signing-key" "$(gpg --export-secret-keys -a | awk '{printf "%s\\n", $0}')"
- ```
\ No newline at end of file
+ ```
diff --git a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/update-commit-signing-service.md b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/update-commit-signing-service.md
index 74d0666247..22f73d6fd0 100644
--- a/translations/pt-BR/data/reusables/enterprise_site_admin_settings/update-commit-signing-service.md
+++ b/translations/pt-BR/data/reusables/enterprise_site_admin_settings/update-commit-signing-service.md
@@ -4,4 +4,4 @@
sudo consul-template -once -template /etc/consul-templates/etc/nomad-jobs/gpgverify/gpgverify.hcl.ctmpl:/etc/nomad-jobs/gpgverify/gpgverify.hcl
nomad job run /etc/nomad-jobs/gpgverify/gpgverify.hcl
- ```
\ No newline at end of file
+ ```
diff --git a/translations/pt-BR/data/reusables/gated-features/dependency-review.md b/translations/pt-BR/data/reusables/gated-features/dependency-review.md
index 6b668da450..a0b39d14de 100644
--- a/translations/pt-BR/data/reusables/gated-features/dependency-review.md
+++ b/translations/pt-BR/data/reusables/gated-features/dependency-review.md
@@ -4,7 +4,7 @@ Dependency review is enabled on public repositories. Dependency review is also a
{%- elsif ghec %}
Revisão de dependências está incluída em {% data variables.product.product_name %} para repositórios públicos. To use dependency review in private repositories owned by organizations, you must have a license for {% data variables.product.prodname_GH_advanced_security %}.
-{%- elsif ghes > 3.1 %}
+{%- elsif ghes %}
Dependency review is available for organization-owned repositories in {% data variables.product.product_name %}. This feature requires a license for {% data variables.product.prodname_GH_advanced_security %}.
{%- elsif ghae %}
diff --git a/translations/pt-BR/data/reusables/gated-features/security-center.md b/translations/pt-BR/data/reusables/gated-features/security-center.md
index 1552d75eb4..e218337a5c 100644
--- a/translations/pt-BR/data/reusables/gated-features/security-center.md
+++ b/translations/pt-BR/data/reusables/gated-features/security-center.md
@@ -3,4 +3,4 @@ A visão geral de segurança para sua organização está disponível se você t
{% elsif ghec or ghes %}
A visão geral de segurança para sua organização está disponível se você tiver uma licença para {% data variables.product.prodname_GH_advanced_security %}. {% data reusables.advanced-security.more-info-ghas %}
{% elsif fpt %}
-The security overview is available for organizations that use {% data variables.product.prodname_enterprise %} and have a license for {% data variables.product.prodname_GH_advanced_security %}. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_GH_advanced_security %}](/get-started/learning-about-github/about-github-advanced-security)." {% endif %}
\ No newline at end of file
+The security overview is available for organizations that use {% data variables.product.prodname_enterprise %} and have a license for {% data variables.product.prodname_GH_advanced_security %}. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_GH_advanced_security %}](/get-started/learning-about-github/about-github-advanced-security)." {% endif %}
diff --git a/translations/pt-BR/data/reusables/getting-started/being-social.md b/translations/pt-BR/data/reusables/getting-started/being-social.md
index 730e8dab17..4afcbb9e28 100644
--- a/translations/pt-BR/data/reusables/getting-started/being-social.md
+++ b/translations/pt-BR/data/reusables/getting-started/being-social.md
@@ -1 +1 @@
-Cada repositório em {% data variables.product.prodname_dotcom %} pertence a uma pessoa ou organização. Você pode interagir com as pessoas, repositórios e organizações, conectando-se e seguindo-as em {% data variables.product.product_name %}. For more information, see "[Be social](/articles/be-social)."
\ No newline at end of file
+Cada repositório em {% data variables.product.prodname_dotcom %} pertence a uma pessoa ou organização. Você pode interagir com as pessoas, repositórios e organizações, conectando-se e seguindo-as em {% data variables.product.product_name %}. For more information, see "[Be social](/articles/be-social)."
diff --git a/translations/pt-BR/data/reusables/getting-started/contributing-to-projects.md b/translations/pt-BR/data/reusables/getting-started/contributing-to-projects.md
index 0d8c4c5965..1e8c2006fa 100644
--- a/translations/pt-BR/data/reusables/getting-started/contributing-to-projects.md
+++ b/translations/pt-BR/data/reusables/getting-started/contributing-to-projects.md
@@ -1 +1 @@
-{% data variables.product.prodname_dotcom %} connects users and allows you to interact with other projects. To learn more about contributing to someone else's project, see "[Contributing to projects](/get-started/quickstart/contributing-to-projects)."
\ No newline at end of file
+{% data variables.product.prodname_dotcom %} connects users and allows you to interact with other projects. To learn more about contributing to someone else's project, see "[Contributing to projects](/get-started/quickstart/contributing-to-projects)."
diff --git a/translations/pt-BR/data/reusables/getting-started/create-a-repository.md b/translations/pt-BR/data/reusables/getting-started/create-a-repository.md
index 7a73fd2457..83343b0b29 100644
--- a/translations/pt-BR/data/reusables/getting-started/create-a-repository.md
+++ b/translations/pt-BR/data/reusables/getting-started/create-a-repository.md
@@ -1 +1 @@
-Creating a repository for your project allows you to store code in {% data variables.product.prodname_dotcom %}. This provides a backup of your work that you can choose to share with other developers. For more information, see “[Create a repository](/get-started/quickstart/create-a-repo)."
\ No newline at end of file
+Creating a repository for your project allows you to store code in {% data variables.product.prodname_dotcom %}. This provides a backup of your work that you can choose to share with other developers. For more information, see “[Create a repository](/get-started/quickstart/create-a-repo)."
diff --git a/translations/pt-BR/data/reusables/getting-started/fork-a-repository.md b/translations/pt-BR/data/reusables/getting-started/fork-a-repository.md
index b80f5782bd..c18e6c3082 100644
--- a/translations/pt-BR/data/reusables/getting-started/fork-a-repository.md
+++ b/translations/pt-BR/data/reusables/getting-started/fork-a-repository.md
@@ -1 +1 @@
-Forking a repository will allow you to make changes to another repository without affecting the original. Para obter mais informações, consulte "[Bifurcar um repositório](/get-started/quickstart/fork-a-repo). "
\ No newline at end of file
+Forking a repository will allow you to make changes to another repository without affecting the original. Para obter mais informações, consulte "[Bifurcar um repositório](/get-started/quickstart/fork-a-repo). "
diff --git a/translations/pt-BR/data/reusables/identity-and-permissions/about-team-sync.md b/translations/pt-BR/data/reusables/identity-and-permissions/about-team-sync.md
index 9b8d68c134..3e1d35ac23 100644
--- a/translations/pt-BR/data/reusables/identity-and-permissions/about-team-sync.md
+++ b/translations/pt-BR/data/reusables/identity-and-permissions/about-team-sync.md
@@ -1 +1 @@
-Quando sincronizar uma equipe {% data variables.product.prodname_dotcom %} com um grupo de IdP, as alterações no grupo IdP são refletidas no {% data variables.product.product_name %} automaticamente, reduzindo a necessidade de atualizações manuais e scripts personalizados. Você pode usar um IdP com sincronização de equipe para gerenciar tarefas administrativas, como integrar novos membros, concedendo novas permissões para movimentos dentro de uma organização e removendo o acesso de membro à organização.
+If team sync is enabled for your organization or enterprise account, you can synchronize a {% data variables.product.prodname_dotcom %} team with an IdP group. When you synchronize a {% data variables.product.prodname_dotcom %} team with an IdP group, membership changes to the IdP group are reflected on {% data variables.product.product_name %} automatically, reducing the need for manual updates and custom scripts. {% ifversion ghec %}For more information, see "[Managing team synchronization for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/managing-team-synchronization-for-your-organization)" and "[Managing team synchronization for organizations in your enterprise](/admin/identity-and-access-management/managing-iam-for-your-enterprise/managing-team-synchronization-for-organizations-in-your-enterprise)".{% endif %}
diff --git a/translations/pt-BR/data/reusables/identity-and-permissions/team-sync-confirm-scim.md b/translations/pt-BR/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
index 2cadcc5846..93872cfd85 100644
--- a/translations/pt-BR/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
+++ b/translations/pt-BR/data/reusables/identity-and-permissions/team-sync-confirm-scim.md
@@ -1 +1 @@
-1. We recommend you confirm that your users have SAML enabled and have a linked SCIM identity to avoid potential provisioning errors. For help auditing your users, see "[Auditing users for missing SCIM metadata](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management#auditing-users-for-missing-scim-metadata)." For help resolving unlinked SCIM identities, see "[Troubleshooting identity and access management](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management)."
+1. We recommend you confirm that your users have SAML enabled and have a linked SCIM identity to avoid potential provisioning errors. For more information, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
diff --git a/translations/pt-BR/data/reusables/issue-events/issue-event-common-properties.md b/translations/pt-BR/data/reusables/issue-events/issue-event-common-properties.md
index 5597429e1c..e0db88b75c 100644
--- a/translations/pt-BR/data/reusables/issue-events/issue-event-common-properties.md
+++ b/translations/pt-BR/data/reusables/issue-events/issue-event-common-properties.md
@@ -1,10 +1,10 @@
-| Nome | Tipo | Descrição |
-| ------------ | --------- | ------------------------------------------------------------------------------------------------------------------------- |
-| `id` | `inteiro` | O identificador exclusivo do evento. |
-| `node_id` | `string` | O [ID de nó global]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-global-node-ids) do evento. |
-| `url` | `string` | A URL da API REST para buscar o evento. |
-| `actor` | `objeto` | A pessoa que gerou o evento. |
-| `event` | `string` | Identifica o tipo atual do evento que ocorreu. |
-| `commit_id` | `string` | O SHA do commit que fez referência a esta issue. |
-| `commit_url` | `string` | O link da GitHub REST API para o commit que referenciou este problema. |
-| `created_at` | `string` | O timestamp indicando quando ocorreu o evento. |
+| Nome | Tipo | Descrição |
+| ------------ | --------- | ---------------------------------------------------------------------- |
+| `id` | `inteiro` | O identificador exclusivo do evento. |
+| `node_id` | `string` | O [ID de nó global](/graphql/guides/using-global-node-ids) do evento. |
+| `url` | `string` | A URL da API REST para buscar o evento. |
+| `actor` | `objeto` | A pessoa que gerou o evento. |
+| `event` | `string` | Identifica o tipo atual do evento que ocorreu. |
+| `commit_id` | `string` | O SHA do commit que fez referência a esta issue. |
+| `commit_url` | `string` | O link da GitHub REST API para o commit que referenciou este problema. |
+| `created_at` | `string` | O timestamp indicando quando ocorreu o evento. |
diff --git a/translations/pt-BR/data/reusables/notifications-v2/custom-notification-types.md b/translations/pt-BR/data/reusables/notifications-v2/custom-notification-types.md
index a4c2afad83..edb0683ee8 100644
--- a/translations/pt-BR/data/reusables/notifications-v2/custom-notification-types.md
+++ b/translations/pt-BR/data/reusables/notifications-v2/custom-notification-types.md
@@ -1,3 +1,3 @@
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae-issue-4910 %}issues, pull requests, releases, security alerts, or discussions
+{%- ifversion fpt or ghec or ghes or ghae-issue-4910 %}issues, pull requests, releases, security alerts, or discussions
{%- else %}issues, pull requests, releases, or discussions
{% endif %}
diff --git a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-delivery-method-customization.md b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-delivery-method-customization.md
index 0e861ddb17..0da5c96fb6 100644
--- a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-delivery-method-customization.md
+++ b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-delivery-method-customization.md
@@ -1,4 +1 @@
-{% ifversion fpt or ghes or ghae or ghec %}
-Você pode escolher o método de entrega e a frequência das notificações sobre
-{% data variables.product.prodname_dependabot_alerts %} em repositórios que você está inspecionando ou onde você se assinou notificações para alertas de segurança.
-{% endif %}
+You can choose the delivery method and frequency of notifications about {% data variables.product.prodname_dependabot_alerts %} on repositories that you are watching or where you have subscribed to notifications for security alerts.
diff --git a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-enable.md b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-enable.md
index d0572b3894..17ae0c368a 100644
--- a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-enable.md
+++ b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-enable.md
@@ -1,3 +1,3 @@
-{% ifversion fpt or ghes > 3.1 or ghec %}
+{% ifversion fpt or ghes or ghec %}
To receive notifications about {% data variables.product.prodname_dependabot_alerts %} on repositories, you need to watch these repositories, and subscribe to receive "All Activity" notifications or configure custom settings to include "Security alerts." For more information, see "[Configuring your watch settings for an individual repository](/github/managing-subscriptions-and-notifications-on-github/setting-up-notifications/configuring-notifications#configuring-your-watch-settings-for-an-individual-repository)."
{% endif %}
diff --git a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-options.md b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-options.md
index aea3b909d2..fc82687d8e 100644
--- a/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-options.md
+++ b/translations/pt-BR/data/reusables/notifications/vulnerable-dependency-notification-options.md
@@ -1,5 +1,4 @@
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-{% ifversion fpt or ghec %}By default, you will receive notifications:{% endif %}{% ifversion ghes > 3.1 or ghae %}By default, if your enterprise owner has configured email for notifications on your instance, you will receive {% data variables.product.prodname_dependabot_alerts %}:{% endif %}
+{% ifversion fpt or ghec %}By default, you will receive notifications:{% endif %}{% ifversion ghes or ghae %}By default, if your enterprise owner has configured email for notifications on your instance, you will receive {% data variables.product.prodname_dependabot_alerts %}:{% endif %}
- por e-mail, um e-mail é enviado quando {% data variables.product.prodname_dependabot %} for habilitado para um repositório, quando for feito commit de um novo arquivo de manifesto para o repositório, e quando uma nova vulnerabilidade com uma gravidade crítica ou alta é encontrada (Opção **Enviar um e-mail cada vez que uma vulnerabilidade for encontrada** opção).
- in the user interface, a warning is shown in your repository's file and code views if there are any insecure dependencies (**UI alerts** option).
@@ -16,19 +15,5 @@
- _por organização_ quando uma nova vulnerabilidade for descoberta.
{% endnote %}
-Você pode personalizar a forma como você é notificado
-{% data variables.product.prodname_dependabot_alerts %}. Por exemplo, você pode receber um e-mail semanal com o resumo dos alertas de até 10 de seus repositórios usando as opções **Enviar e-mail com o resumo das vulnerabilidades** e **Resumo semanal por e-mail sobre segurança**.
-{% endif %}
-
-{% ifversion ghes = 3.1 %}
-Por padrão, se o administrador do site tiver configurado e-mail para notificações na sua instância, você receberá
-{% data variables.product.prodname_dependabot_alerts %}:
-- por e-mail, um e-mail é enviado toda vez que uma vulnerabilidade com uma gravidade crítica ou alta é encontrada (opção de **Enviar e-mail toda vez que uma vulnerabilidade for encontrada**)
-- in the user interface, a warning is shown in your repository's file and code views if there are any insecure dependencies (**UI alerts** option)
-- on the command line, warnings are displayed as callbacks when you push to repositories with any insecure dependencies (**Command Line** option)
-- na caixa de entrada, como notificações da web para novas vulnerabilidades com uma gravidade crítica ou alta (opção**Web**)
-Você pode personalizar a forma como você é notificado
-
-{% data variables.product.prodname_dependabot_alerts %}. Por exemplo, você pode receber um e-mail semanal com o resumo dos alertas de até 10 de seus repositórios usando as opções **Enviar e-mail com o resumo das vulnerabilidades** e **Resumo semanal por e-mail sobre segurança**.
-{% endif %}
+You can customize the way you are notified about {% data variables.product.prodname_dependabot_alerts %}. Por exemplo, você pode receber um e-mail semanal com o resumo dos alertas de até 10 de seus repositórios usando as opções **Enviar e-mail com o resumo das vulnerabilidades** e **Resumo semanal por e-mail sobre segurança**.
diff --git a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-general.md b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-general.md
index c5ba757ebb..14789aea6c 100644
--- a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-general.md
+++ b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-general.md
@@ -1 +1 @@
-{% data reusables.actions.settings-ui.settings-actions-general %}
\ No newline at end of file
+{% data reusables.actions.settings-ui.settings-actions-general %}
diff --git a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runner-groups.md b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runner-groups.md
index 477154a0ae..9f8699cf3c 100644
--- a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runner-groups.md
+++ b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runner-groups.md
@@ -1 +1 @@
-{% data reusables.actions.settings-ui.settings-actions-runner-groups %}
\ No newline at end of file
+{% data reusables.actions.settings-ui.settings-actions-runner-groups %}
diff --git a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runners.md b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runners.md
index 4a9ce38f65..c667ed1528 100644
--- a/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runners.md
+++ b/translations/pt-BR/data/reusables/organizations/settings-sidebar-actions-runners.md
@@ -1 +1 @@
-{% data reusables.actions.settings-ui.settings-actions-runners %}
\ No newline at end of file
+{% data reusables.actions.settings-ui.settings-actions-runners %}
diff --git a/translations/pt-BR/data/reusables/organizations/ssh-ca-ghec-only.md b/translations/pt-BR/data/reusables/organizations/ssh-ca-ghec-only.md
index e87e7ff46c..2c29a6bf3e 100644
--- a/translations/pt-BR/data/reusables/organizations/ssh-ca-ghec-only.md
+++ b/translations/pt-BR/data/reusables/organizations/ssh-ca-ghec-only.md
@@ -5,4 +5,4 @@
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/package_registry/container-registry-example-hostname.md b/translations/pt-BR/data/reusables/package_registry/container-registry-example-hostname.md
index b892c80e97..7421f642c0 100644
--- a/translations/pt-BR/data/reusables/package_registry/container-registry-example-hostname.md
+++ b/translations/pt-BR/data/reusables/package_registry/container-registry-example-hostname.md
@@ -1 +1 @@
-containers.github.companyname.com
\ No newline at end of file
+containers.github.companyname.com
diff --git a/translations/pt-BR/data/reusables/package_registry/container-registry-hostname.md b/translations/pt-BR/data/reusables/package_registry/container-registry-hostname.md
index 0d374afd0b..a5c37d2f20 100644
--- a/translations/pt-BR/data/reusables/package_registry/container-registry-hostname.md
+++ b/translations/pt-BR/data/reusables/package_registry/container-registry-hostname.md
@@ -1 +1 @@
-{% ifversion fpt or ghec %}ghcr.io{% elsif ghes > 3.4 %}containers.HOSTNAME{% else %}{% endif %}
\ No newline at end of file
+{% ifversion fpt or ghec %}ghcr.io{% elsif ghes > 3.4 %}containers.HOSTNAME{% else %}{% endif %}
diff --git a/translations/pt-BR/data/reusables/package_registry/packages-spending-limit-detailed.md b/translations/pt-BR/data/reusables/package_registry/packages-spending-limit-detailed.md
index 684ab1953c..d91e4715ee 100644
--- a/translations/pt-BR/data/reusables/package_registry/packages-spending-limit-detailed.md
+++ b/translations/pt-BR/data/reusables/package_registry/packages-spending-limit-detailed.md
@@ -2,4 +2,4 @@
If you have an unlimited spending limit or a spending limit set higher than $0 USD, you will be billed for any additional storage or data transfer, also called overages, up to your spending limit. Quaisquer cupons em sua conta não se aplicam a excedentes de {% data variables.product.prodname_registry %}.
-{% data reusables.billing.overages-billed-monthly %}
\ No newline at end of file
+{% data reusables.billing.overages-billed-monthly %}
diff --git a/translations/pt-BR/data/reusables/pages/about-private-publishing.md b/translations/pt-BR/data/reusables/pages/about-private-publishing.md
index cd9e54c719..cf4c5e0710 100644
--- a/translations/pt-BR/data/reusables/pages/about-private-publishing.md
+++ b/translations/pt-BR/data/reusables/pages/about-private-publishing.md
@@ -4,4 +4,4 @@ You can create
{% elsif ghec %}
Unless your enterprise uses
{% data variables.product.prodname_emus %}, you can choose to publish project sites publicly or privately by managing access control for the site.
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/pages/choose-visibility.md b/translations/pt-BR/data/reusables/pages/choose-visibility.md
index 1035e72750..85aa2a2b28 100644
--- a/translations/pt-BR/data/reusables/pages/choose-visibility.md
+++ b/translations/pt-BR/data/reusables/pages/choose-visibility.md
@@ -2,4 +2,4 @@
1. Optionally, if you're publishing a project site from a private or internal repository, choose the visibility for your site. Em "{% data variables.product.prodname_pages %}", selecione o ** visibilidade de {% data variables.product.prodname_pages %}** no menu suspenso e, em seguida, clique em uma visibilidade. Para obter mais informações, consulte "[Alterar a visibilidade do seu site de {% data variables.product.prodname_pages %}](/pages/getting-started-with-github-pages/changing-the-visibility-of-your-github-pages-site)". 
{% indented_data_reference reusables.pages.privately-publish-ghec-only spaces=3%}
-{%- endif %}
\ No newline at end of file
+{%- endif %}
diff --git a/translations/pt-BR/data/reusables/pages/emu-org-only.md b/translations/pt-BR/data/reusables/pages/emu-org-only.md
index 86e976d240..156922937a 100644
--- a/translations/pt-BR/data/reusables/pages/emu-org-only.md
+++ b/translations/pt-BR/data/reusables/pages/emu-org-only.md
@@ -4,4 +4,4 @@
**Note:** If you're a {% data variables.product.prodname_managed_user %}, you can only publish {% data variables.product.prodname_pages %} sites from repositories owned by organizations. Para obter mais informações, consulte "[Sobre {% data variables.product.prodname_pages %}](/pages/getting-started-with-github-pages/about-github-pages#limitations-for-enterprise-managed-users)".
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/pages/privately-publish-ghec-only.md b/translations/pt-BR/data/reusables/pages/privately-publish-ghec-only.md
index 458fa28722..dca0839282 100644
--- a/translations/pt-BR/data/reusables/pages/privately-publish-ghec-only.md
+++ b/translations/pt-BR/data/reusables/pages/privately-publish-ghec-only.md
@@ -2,4 +2,4 @@
**Note:** To publish a {% data variables.product.prodname_pages %} site privately, your organization must use {% data variables.product.prodname_ghe_cloud %}. {% data reusables.enterprise.link-to-ghec-trial %}
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/project-management/choose-visibility.md b/translations/pt-BR/data/reusables/project-management/choose-visibility.md
index 57fa8fe0eb..412488145e 100644
--- a/translations/pt-BR/data/reusables/project-management/choose-visibility.md
+++ b/translations/pt-BR/data/reusables/project-management/choose-visibility.md
@@ -1 +1 @@
-1. Em "Visibilidade", opte por fazer com que o quadro de projeto seja {% ifversion ghae %}interno{% else %}público{% endif %} ou privado. Para obter mais informações, consulte "[Alterar visibilidade do quadro de projeto](/github/managing-your-work-on-github/changing-project-board-visibility)". ![Botões de opção para escolher a visibilidade do quadro do projeto]{% ifversion ghae %}(/assets/images/help/projects/visibility-radio-buttons-ae.png){% else %}(/assets/images/help/projects/visibility-radio-buttons.png){% endif %}
+1. Em "Visibilidade", opte por fazer com que o quadro de projeto seja {% ifversion ghae %}interno{% else %}público{% endif %} ou privado. Para obter mais informações, consulte "[Alterar visibilidade do quadro de projeto](/github/managing-your-work-on-github/changing-project-board-visibility)". ![Radio buttons to choose project board visibility]{% ifversion ghae %}(/assets/images/help/projects/visibility-radio-buttons-ae.png){% elsif ghes > 3.4 %}(/assets/images/help/projects/visibility-radio-buttons-es.png){% else %}(/assets/images/help/projects/visibility-radio-buttons.png){% endif %}
diff --git a/translations/pt-BR/data/reusables/project-management/project-board-import-with-api.md b/translations/pt-BR/data/reusables/project-management/project-board-import-with-api.md
index 64a85b1c8c..0ac63ec94a 100644
--- a/translations/pt-BR/data/reusables/project-management/project-board-import-with-api.md
+++ b/translations/pt-BR/data/reusables/project-management/project-board-import-with-api.md
@@ -1 +1 @@
-Você pode usar a API de {% data variables.product.prodname_dotcom %} para importar um quadro de projetos. Para obter mais informações, consulte "[importProject]({% ifversion ghec%}/free-pro-team@latest{% endif %}/graphql/reference/mutations#importproject/)".
+Você pode usar a API de {% data variables.product.prodname_dotcom %} para importar um quadro de projetos. Para obter mais informações, consulte "[importProject](/graphql/reference/mutations#importproject/)".
diff --git a/translations/pt-BR/data/reusables/project-management/project-board-visibility.md b/translations/pt-BR/data/reusables/project-management/project-board-visibility.md
index 31d77c5670..7fb24ae2e5 100644
--- a/translations/pt-BR/data/reusables/project-management/project-board-visibility.md
+++ b/translations/pt-BR/data/reusables/project-management/project-board-visibility.md
@@ -1 +1 @@
-By default, user-owned and organization-wide project boards are private and only visible to people with read, write, or admin permissions to the project board. {% ifversion ghae %}Um quadro de projeto interno{% else %}público{% endif %} será visível para {% ifversion ghae %}qualquer integrante da empresa{% else %}qualquer{% endif %} com a URL do quadro de projeto. Repository-level project boards share the visibility of their repository. That is, a private repository will have a private board, and this visibility cannot be changed.
+By default, user-owned and organization-wide project boards are private and only visible to people with read, write, or admin permissions to the project board. {% ifversion ghae %}An internal{% else %}A public{% endif %} project board is visible to {% ifversion ghae %}anyone with access to your enterprise on {% data variables.product.prodname_ghe_managed %}{% elsif ghes %}anyone with access to your {% data variables.product.prodname_ghe_server %} instance{% else %}anyone with the project board's URL{% endif %}. Repository-level project boards share the visibility of their repository. That is, a private repository will have a private board, and this visibility cannot be changed.
diff --git a/translations/pt-BR/data/reusables/projects/access-insights.md b/translations/pt-BR/data/reusables/projects/access-insights.md
index 4c7cf259d0..baa180aa23 100644
--- a/translations/pt-BR/data/reusables/projects/access-insights.md
+++ b/translations/pt-BR/data/reusables/projects/access-insights.md
@@ -5,4 +5,4 @@
**Note:** This feature is currently in a private preview and only available for some organizations. If the {% octicon "graph" aria-label="the graph icon" %} icon is not displayed in your project, insights is not yet enabled for your organization.
- {% endnote %}
\ No newline at end of file
+ {% endnote %}
diff --git a/translations/pt-BR/data/reusables/projects/create-project.md b/translations/pt-BR/data/reusables/projects/create-project.md
index 7639b1db7e..fb5a590584 100644
--- a/translations/pt-BR/data/reusables/projects/create-project.md
+++ b/translations/pt-BR/data/reusables/projects/create-project.md
@@ -5,4 +5,4 @@

1. When prompted to select a template, click a template or, to start with an empty project, click "Table" or "Board". Then, click **Create**.
- 
\ No newline at end of file
+ 
diff --git a/translations/pt-BR/data/reusables/projects/create-user-project.md b/translations/pt-BR/data/reusables/projects/create-user-project.md
index 18221dcef2..36e57c46c9 100644
--- a/translations/pt-BR/data/reusables/projects/create-user-project.md
+++ b/translations/pt-BR/data/reusables/projects/create-user-project.md
@@ -4,4 +4,4 @@

1. When prompted to select a template, click a template or, to start with an empty project, click "Table" or "Board". Then, click **Create**.
- 
\ No newline at end of file
+ 
diff --git a/translations/pt-BR/data/reusables/projects/enable-migration.md b/translations/pt-BR/data/reusables/projects/enable-migration.md
index 3e0ffe8db0..e3ae2c3da2 100644
--- a/translations/pt-BR/data/reusables/projects/enable-migration.md
+++ b/translations/pt-BR/data/reusables/projects/enable-migration.md
@@ -1 +1 @@
-1. Enable "Project migration" in feature preview. Para obter mais informações, consulte "[Explorar versões de acesso antecipado com visualização de recursos](/get-started/using-github/exploring-early-access-releases-with-feature-preview)".
\ No newline at end of file
+1. Enable "Project migration" in feature preview. Para obter mais informações, consulte "[Explorar versões de acesso antecipado com visualização de recursos](/get-started/using-github/exploring-early-access-releases-with-feature-preview)".
diff --git a/translations/pt-BR/data/reusables/projects/projects-api.md b/translations/pt-BR/data/reusables/projects/projects-api.md
index cbda42276c..198cf89250 100644
--- a/translations/pt-BR/data/reusables/projects/projects-api.md
+++ b/translations/pt-BR/data/reusables/projects/projects-api.md
@@ -4,4 +4,4 @@
**Note:** This API only applies to project boards. Projects (beta) can be managed with the GraphQL API. For more information, see "[Using the API to manage projects (beta)](/issues/trying-out-the-new-projects-experience/using-the-api-to-manage-projects)."
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/projects/reopen-a-project.md b/translations/pt-BR/data/reusables/projects/reopen-a-project.md
index db5537368e..2b16604667 100644
--- a/translations/pt-BR/data/reusables/projects/reopen-a-project.md
+++ b/translations/pt-BR/data/reusables/projects/reopen-a-project.md
@@ -3,4 +3,4 @@
1. Click the project you want to reopen.
1. In the top-right, click {% octicon "kebab-horizontal" aria-label="The menu icon" %} to open the menu.
1. In the menu, to access the project settings, click {% octicon "gear" aria-label="The gear icon" %} **Settings**.
-1. At the bottom of the page, click **Re-open project**. 
\ No newline at end of file
+1. At the bottom of the page, click **Re-open project**. 
diff --git a/translations/pt-BR/data/reusables/pull_requests/merge-queue-merging-method.md b/translations/pt-BR/data/reusables/pull_requests/merge-queue-merging-method.md
index 835c80cbc7..079ae636a5 100644
--- a/translations/pt-BR/data/reusables/pull_requests/merge-queue-merging-method.md
+++ b/translations/pt-BR/data/reusables/pull_requests/merge-queue-merging-method.md
@@ -1,3 +1,3 @@
{% data variables.product.product_name %} merges the pull request according to the merge strategy configured in the branch protection once all required CI checks pass.
-
\ No newline at end of file
+
diff --git a/translations/pt-BR/data/reusables/pull_requests/resolving-conversations.md b/translations/pt-BR/data/reusables/pull_requests/resolving-conversations.md
index 65a507672e..d6baba224e 100644
--- a/translations/pt-BR/data/reusables/pull_requests/resolving-conversations.md
+++ b/translations/pt-BR/data/reusables/pull_requests/resolving-conversations.md
@@ -12,7 +12,7 @@ Toda a conversa será colapsada e marcada como resolvida, tornando mais fácil e
Se a sugestão em um comentário estiver fora do escopo do seu pull request, você pode abrir um novo problema que rastreia os comentários e relaciona o comentário original. Para obter mais informações, consulte "[Abrir um problema a partir de um comentário](/github/managing-your-work-on-github/opening-an-issue-from-a-comment)".
-{% ifversion fpt or ghes > 3.1 or ghae-issue-4382 or ghec %}
+{% ifversion fpt or ghes or ghae-issue-4382 or ghec %}
#### Descobrindo e navegando por conversas
Você pode descobrir e navegar até todas as conversas no seu pull request usando o menu **Conversas** que é exibido na parte superior da aba **Arquivos alterados**.
diff --git a/translations/pt-BR/data/reusables/pull_requests/retention-checks-data.md b/translations/pt-BR/data/reusables/pull_requests/retention-checks-data.md
index 0220001813..19a17b3061 100644
--- a/translations/pt-BR/data/reusables/pull_requests/retention-checks-data.md
+++ b/translations/pt-BR/data/reusables/pull_requests/retention-checks-data.md
@@ -1 +1 @@
-Checks data older than 400 days is archived. As part of the archiving process {% data variables.product.prodname_dotcom %} creates a rollup commit status representing the state of all of the checks for that commit. As a consequence, the merge box in any pull request with archived checks that are required will be in a blocked state and you will need to rerun the checks before you can merge the pull request.
\ No newline at end of file
+Checks data older than 400 days is archived. As part of the archiving process {% data variables.product.prodname_dotcom %} creates a rollup commit status representing the state of all of the checks for that commit. As a consequence, the merge box in any pull request with archived checks that are required will be in a blocked state and you will need to rerun the checks before you can merge the pull request.
diff --git a/translations/pt-BR/data/reusables/releases/previous-release-tag.md b/translations/pt-BR/data/reusables/releases/previous-release-tag.md
index a1d109a396..dbf481b43f 100644
--- a/translations/pt-BR/data/reusables/releases/previous-release-tag.md
+++ b/translations/pt-BR/data/reusables/releases/previous-release-tag.md
@@ -1,3 +1,3 @@
{% ifversion previous-release-tag %}
1. Optionally, to the top right of the description text box, select the **Previous tag** drop-down menu and click the tag that identifies the previous release. 
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/repositories/dependency-review.md b/translations/pt-BR/data/reusables/repositories/dependency-review.md
index 24487eab50..4a18c581c3 100644
--- a/translations/pt-BR/data/reusables/repositories/dependency-review.md
+++ b/translations/pt-BR/data/reusables/repositories/dependency-review.md
@@ -1,4 +1 @@
-{% ifversion fpt or ghes > 3.1 or ghae or ghec %}
-Além disso,
-{% data variables.product.prodname_dotcom %} can review any dependencies added, updated, or removed in a pull request made against the default branch of a repository, and flag any changes that would reduce the security of your project. This allows you to spot and deal with vulnerable dependencies{% ifversion GH-advisory-db-supports-malware %} or malware{% endif %} before, rather than after, they reach your codebase. Para obter mais informações, consulte "[Revisar as mudanças de dependências em um pull request](/github/collaborating-with-issues-and-pull-requests/reviewing-dependency-changes-in-a-pull-request)".
-{% endif %}
+Additionally, {% data variables.product.prodname_dotcom %} can review any dependencies added, updated, or removed in a pull request made against the default branch of a repository, and flag any changes that would reduce the security of your project. This allows you to spot and deal with vulnerable dependencies{% ifversion GH-advisory-db-supports-malware %} or malware{% endif %} before, rather than after, they reach your codebase. Para obter mais informações, consulte "[Revisar as mudanças de dependências em um pull request](/github/collaborating-with-issues-and-pull-requests/reviewing-dependency-changes-in-a-pull-request)".
diff --git a/translations/pt-BR/data/reusables/repositories/navigate-to-commit-page.md b/translations/pt-BR/data/reusables/repositories/navigate-to-commit-page.md
index bec770c790..711e0d5e2c 100644
--- a/translations/pt-BR/data/reusables/repositories/navigate-to-commit-page.md
+++ b/translations/pt-BR/data/reusables/repositories/navigate-to-commit-page.md
@@ -1 +1 @@
-1. On the main page of the repository, click the commits to navigate to the commits page. 
\ No newline at end of file
+1. On the main page of the repository, click the commits to navigate to the commits page. 
diff --git a/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-general.md b/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-general.md
index c5ba757ebb..14789aea6c 100644
--- a/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-general.md
+++ b/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-general.md
@@ -1 +1 @@
-{% data reusables.actions.settings-ui.settings-actions-general %}
\ No newline at end of file
+{% data reusables.actions.settings-ui.settings-actions-general %}
diff --git a/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-runners.md b/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-runners.md
index 4a9ce38f65..c667ed1528 100644
--- a/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-runners.md
+++ b/translations/pt-BR/data/reusables/repositories/settings-sidebar-actions-runners.md
@@ -1 +1 @@
-{% data reusables.actions.settings-ui.settings-actions-runners %}
\ No newline at end of file
+{% data reusables.actions.settings-ui.settings-actions-runners %}
diff --git a/translations/pt-BR/data/reusables/repositories/sidebar-issues.md b/translations/pt-BR/data/reusables/repositories/sidebar-issues.md
index 8f0f9c5b22..dbb0e3a2a7 100644
--- a/translations/pt-BR/data/reusables/repositories/sidebar-issues.md
+++ b/translations/pt-BR/data/reusables/repositories/sidebar-issues.md
@@ -1,5 +1,3 @@
-2. Abaixo do nome do seu repositório, clique em
-{% octicon "issue-opened" aria-label="The issues icon" %} **Problemas**.
- {% ifversion fpt or ghes > 3.1 or ghae or ghec %}
- {% else %}
-{% endif %}
+2. No nome do repositório, clique em {% octicon "issue-opened" aria-label="The issues icon" %} **problemas**.
+
+ 
diff --git a/translations/pt-BR/data/reusables/repositories/sidebar-pr.md b/translations/pt-BR/data/reusables/repositories/sidebar-pr.md
index 40aed50e11..4d9ab72d8c 100644
--- a/translations/pt-BR/data/reusables/repositories/sidebar-pr.md
+++ b/translations/pt-BR/data/reusables/repositories/sidebar-pr.md
@@ -1,7 +1,6 @@
1. Abaixo do nome do seu repositório, clique em
{% octicon "git-pull-request" aria-label="The pull request icon" %} **Pull requests**.
{% ifversion fpt or ghec %}
- 
- {% elsif ghes > 3.1 or ghae %}
- {% else %}
+ {% elsif ghes or ghae %}
+ {% else %}
{% endif %}
diff --git a/translations/pt-BR/data/reusables/saml/authentication-loop.md b/translations/pt-BR/data/reusables/saml/authentication-loop.md
new file mode 100644
index 0000000000..64d530f236
--- /dev/null
+++ b/translations/pt-BR/data/reusables/saml/authentication-loop.md
@@ -0,0 +1,7 @@
+## Users are repeatedly redirected to authenticate
+
+If users are repeatedly redirected to the SAML authentication prompt in a loop, you may need to increase the SAML session duration in your IdP settings.
+
+The `SessionNotOnOrAfter` value sent in a SAML response determines when a user will be redirected back to the IdP to authenticate. If a SAML session duration is configured for 2 hours or less, {% data variables.product.prodname_dotcom_the_website %} will refresh a SAML session 5 minutes before it expires. If your session duration is configured as 5 minutes or less, users can get stuck in a SAML authentication loop.
+
+To fix this problem, we recommend configuring a minimum SAML session duration of 4 hours. Para obter mais informações, consulte "[Referência de configuração do SAML](/admin/identity-and-access-management/using-saml-for-enterprise-iam/saml-configuration-reference#session-duration-and-timeout)".
\ No newline at end of file
diff --git a/translations/pt-BR/data/reusables/saml/current-time-earlier-than-notbefore-condition.md b/translations/pt-BR/data/reusables/saml/current-time-earlier-than-notbefore-condition.md
new file mode 100644
index 0000000000..457f1d293b
--- /dev/null
+++ b/translations/pt-BR/data/reusables/saml/current-time-earlier-than-notbefore-condition.md
@@ -0,0 +1,7 @@
+## Error: "Current time is earlier than NotBefore condition"
+
+This error can occur when there's too large of a time difference between your IdP and {% data variables.product.product_name %}, which commonly occurs with self-hosted IdPs.
+
+{% ifversion ghes %}To prevent this problem, we recommend pointing your appliance to the same Network Time Protocol (NTP) source as your IdP, if possible. {% endif %}If you encounter this error, make sure the time on your {% ifversion ghes %}appliance{% else %}IdP{% endif %} is properly synced with your NTP server.
+
+If you use ADFS as your IdP, also set `NotBeforeSkew` in ADFS to 1 minute for {% data variables.product.prodname_dotcom %}. If `NotBeforeSkew` is set to 0, even very small time differences, including milliseconds, can cause authentication problems.
\ No newline at end of file
diff --git a/translations/pt-BR/data/reusables/saml/ghec-only.md b/translations/pt-BR/data/reusables/saml/ghec-only.md
index dd0c53e196..66880fab8a 100644
--- a/translations/pt-BR/data/reusables/saml/ghec-only.md
+++ b/translations/pt-BR/data/reusables/saml/ghec-only.md
@@ -4,4 +4,4 @@
**Note:** To use SAML single sign-on, your organization must use {% data variables.product.prodname_ghe_cloud %}. {% data reusables.enterprise.link-to-ghec-trial %}
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/saml/must-authorize-linked-identity.md b/translations/pt-BR/data/reusables/saml/must-authorize-linked-identity.md
index 4a28cb364a..138ecbb29c 100644
--- a/translations/pt-BR/data/reusables/saml/must-authorize-linked-identity.md
+++ b/translations/pt-BR/data/reusables/saml/must-authorize-linked-identity.md
@@ -2,4 +2,4 @@
**Note:** If you have a linked identity for an organization, you can only use authorized personal access tokens and SSH keys with that organization, even if SAML is not enforced. You have a linked identity for an organization if you've ever authenticated via SAML SSO for that organization, unless an organization or enterprise owner later revoked the linked identity. For more information about revoking linked identities, see "[Viewing and managing a member's SAML access to your organization](/organizations/granting-access-to-your-organization-with-saml-single-sign-on/viewing-and-managing-a-members-saml-access-to-your-organization)" and "[Viewing and managing a user's SAML access to your enterprise](/admin/user-management/managing-users-in-your-enterprise/viewing-and-managing-a-users-saml-access-to-your-enterprise)."
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/saml/okta-edit-provisioning.md b/translations/pt-BR/data/reusables/saml/okta-edit-provisioning.md
index 682660e863..e915ef52c0 100644
--- a/translations/pt-BR/data/reusables/saml/okta-edit-provisioning.md
+++ b/translations/pt-BR/data/reusables/saml/okta-edit-provisioning.md
@@ -1,4 +1,5 @@
-1. To avoid syncing errors and confirm that your users have SAML enabled and SCIM linked identities, we recommend you audit your organization's users. For more information, see "[Auditing users for missing SCIM metadata](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management#auditing-users-for-missing-scim-metadata)."
+1. To avoid syncing errors and confirm that your users have SAML enabled and SCIM linked identities, we recommend you audit your organization's users. For more information, see "[Troubleshooting identity and access management for your organization](/organizations/managing-saml-single-sign-on-for-your-organization/troubleshooting-identity-and-access-management-for-your-organization)."
+
1. À direita do "Provisionamento para o App", clique em **Editar**.

diff --git a/translations/pt-BR/data/reusables/saml/saml-ghes-account-revocation.md b/translations/pt-BR/data/reusables/saml/saml-ghes-account-revocation.md
index ac0783490c..45dce400fc 100644
--- a/translations/pt-BR/data/reusables/saml/saml-ghes-account-revocation.md
+++ b/translations/pt-BR/data/reusables/saml/saml-ghes-account-revocation.md
@@ -2,4 +2,4 @@
If you remove a user from your IdP, you must also manually suspend them. Otherwise, the account's owner can continue to authenticate using access tokens or SSH keys. Para obter mais informações, consulte "[Suspender e cancelar a suspensão de usuários](/enterprise/admin/guides/user-management/suspending-and-unsuspending-users)".
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/scim/dedicated-configuration-account.md b/translations/pt-BR/data/reusables/scim/dedicated-configuration-account.md
index ad69131089..98ac74731f 100644
--- a/translations/pt-BR/data/reusables/scim/dedicated-configuration-account.md
+++ b/translations/pt-BR/data/reusables/scim/dedicated-configuration-account.md
@@ -1 +1 @@
-To use SCIM with your organization, you must use a third-party-owned {% data variables.product.prodname_oauth_app %}. The {% data variables.product.prodname_oauth_app %} must be authorized by, and subsequently acts on behalf of, a specific {% data variables.product.prodname_dotcom %} user. If the user who last authorized this {% data variables.product.prodname_oauth_app %} leaves or is removed from the organization, SCIM will stop working. To avoid this issue, we recommend creating a dedicated user account to configure SCIM. This user account must be an organization owner and will consume a license.
\ No newline at end of file
+To use SCIM with your organization, you must use a third-party-owned {% data variables.product.prodname_oauth_app %}. The {% data variables.product.prodname_oauth_app %} must be authorized by, and subsequently acts on behalf of, a specific {% data variables.product.prodname_dotcom %} user. If the user who last authorized this {% data variables.product.prodname_oauth_app %} leaves or is removed from the organization, SCIM will stop working. To avoid this issue, we recommend creating a dedicated user account to configure SCIM. This user account must be an organization owner and will consume a license.
diff --git a/translations/pt-BR/data/reusables/scim/emu-scim-rate-limit.md b/translations/pt-BR/data/reusables/scim/emu-scim-rate-limit.md
index f6317a7545..c934306a47 100644
--- a/translations/pt-BR/data/reusables/scim/emu-scim-rate-limit.md
+++ b/translations/pt-BR/data/reusables/scim/emu-scim-rate-limit.md
@@ -2,4 +2,4 @@
**Note:** To avoid exceeding the rate limit on {% data variables.product.product_name %}, do not assign more than 1,000 users per hour to the IdP application. If you use groups to assign users to the IdP application, do not add more than 100 users to each group per hour. If you exceed these thresholds, attempts to provision users may fail with a "rate limit" error.
-{% endnote %}
\ No newline at end of file
+{% endnote %}
diff --git a/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-private-repo.md b/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-private-repo.md
index 2bfe44945e..de00cdd432 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-private-repo.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-private-repo.md
@@ -1,14 +1,12 @@
-| Provider | Segredo compatível | Secret type |
-| ----------- | ----------------------- | ----------------- |
-| Adafruit IO | Chave de IO de Adafruit | adafruit_io_key |
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Adobe | Adobe Device Token | adobe_device_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Adobe | Adobe Service Token | adobe_service_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Adobe | Adobe Short-Lived Access Token | adobe_short_lived_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Adobe | Adobe JSON Web Token | adobe_jwt{% endif %} Alibaba Cloud | Alibaba Cloud Access Key ID | alibaba_cloud_access_key_id Alibaba Cloud | Alibaba Cloud Access Key Secret | alibaba_cloud_access_key_secret
+| Provider | Segredo compatível | Secret type |
+| ------------- | --------------------------------------------- | ----------------------------------- |
+| Adafruit IO | Chave de IO de Adafruit | adafruit_io_key |
+| Adobe | Adobe Device Token | adobe_device_token |
+| Adobe | Adobe Service Token | adobe_service_token |
+| Adobe | Adobe Short-Lived Access Token | adobe_short_lived_access_token |
+| Adobe | Adobe JSON Web Token | adobe_jwt |
+| Alibaba Cloud | ID da chave de acesso da nuvem do Alibaba | alibaba_cloud_access_key_id |
+| Alibaba Cloud | Segredo da chave de acesso à nuvem do Alibaba | alibaba_cloud_access_key_secret |
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Amazon | Amazon OAuth Client ID | amazon_oauth_client_id{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
@@ -16,11 +14,7 @@ Amazon | Amazon OAuth Client Secret | amazon_oauth_client_secret{% endif %} Amaz
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
Amazon Web Services (AWS) | Amazon AWS Session Token | aws_session_token{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-Amazon Web Services (AWS) | Amazon AWS Temporary Access Key ID | aws_temporary_access_key_id{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Asana | Asana Personal Access Token | asana_personal_access_token{% endif %} Atlassian | Atlassian API Token | atlassian_api_token Atlassian | Atlassian JSON Web Token | atlassian_jwt
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Atlassian | Bitbucket Server Personal Access Token | bitbucket_server_personal_access_token{% endif %}
+Amazon Web Services (AWS) | Amazon AWS Temporary Access Key ID | aws_temporary_access_key_id{% endif %} Asana | Asana Personal Access Token | asana_personal_access_token Atlassian | Atlassian API Token | atlassian_api_token Atlassian | Atlassian JSON Web Token | atlassian_jwt Atlassian | Bitbucket Server Personal Access Token | bitbucket_server_personal_access_token
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Azure | Azure Active Directory Application Secret | azure_active_directory_application_secret{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
@@ -28,43 +22,13 @@ Azure | Azure Cache for Redis Access Key | azure_cache_for_redis_access_key{% en
{%- ifversion ghes < 3.4 or ghae or ghae-issue-5342 %}
Azure | Azure SQL Connection String | azure_sql_connection_string{% endif %} Azure | Azure Storage Account Key | azure_storage_account_key
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-Beamer | Beamer API Key | beamer_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Checkout.com | Checkout.com Production Secret Key | checkout_production_secret_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Checkout.com | Checkout.com Test Secret Key | checkout_test_secret_key{% endif %} Clojars | Clojars Deploy Token | clojars_deploy_token
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-CloudBees CodeShip | CloudBees CodeShip Credential | codeship_credential{% endif %}
+Beamer | Beamer API Key | beamer_api_key{% endif %} Checkout.com | Checkout.com Production Secret Key | checkout_production_secret_key Checkout.com | Checkout.com Test Secret Key | checkout_test_secret_key Clojars | Clojars Deploy Token | clojars_deploy_token CloudBees CodeShip | CloudBees CodeShip Credential | codeship_credential
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
Contentful | Contentful Personal Access Token | contentful_personal_access_token{% endif %} Databricks | Databricks Access Token | databricks_access_token
{%- ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6944 %}
-DigitalOcean | DigitalOcean Personal Access Token | digitalocean_personal_access_token DigitalOcean | DigitalOcean OAuth Token | digitalocean_oauth_token DigitalOcean | DigitalOcean Refresh Token | digitalocean_refresh_token DigitalOcean | DigitalOcean System Token | digitalocean_system_token{% endif %} Discord | Discord Bot Token | discord_bot_token Doppler | Doppler Personal Token | doppler_personal_token Doppler | Doppler Service Token | doppler_service_token Doppler | Doppler CLI Token | doppler_cli_token Doppler | Doppler SCIM Token | doppler_scim_token
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Doppler | Doppler Audit Token | doppler_audit_token{% endif %} Dropbox | Dropbox Access Token | dropbox_access_token Dropbox | Dropbox Short Lived Access Token | dropbox_short_lived_access_token
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Duffel | Duffel Live Access Token | duffel_live_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Duffel | Duffel Test Access Token | duffel_test_access_token{% endif %} Dynatrace | Dynatrace Access Token | dynatrace_access_token Dynatrace | Dynatrace Internal Token | dynatrace_internal_token
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-EasyPost | EasyPost Production API Key | easypost_production_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-EasyPost | EasyPost Test API Key | easypost_test_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Fastly | Fastly API Token | fastly_api_token{% endif %} Finicity | Finicity App Key | finicity_app_key
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Flutterwave | Flutterwave Live API Secret Key | flutterwave_live_api_secret_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Flutterwave | Flutterwave Test API Secret Key | flutterwave_test_api_secret_key{% endif %} Frame.io | Frame.io JSON Web Token | frameio_jwt Frame.io| Frame.io Developer Token | frameio_developer_token
+DigitalOcean | DigitalOcean Personal Access Token | digitalocean_personal_access_token DigitalOcean | DigitalOcean OAuth Token | digitalocean_oauth_token DigitalOcean | DigitalOcean Refresh Token | digitalocean_refresh_token DigitalOcean | DigitalOcean System Token | digitalocean_system_token{% endif %} Discord | Discord Bot Token | discord_bot_token Doppler | Doppler Personal Token | doppler_personal_token Doppler | Doppler Service Token | doppler_service_token Doppler | Doppler CLI Token | doppler_cli_token Doppler | Doppler SCIM Token | doppler_scim_token Doppler | Doppler Audit Token | doppler_audit_token Dropbox | Dropbox Access Token | dropbox_access_token Dropbox | Dropbox Short Lived Access Token | dropbox_short_lived_access_token Duffel | Duffel Live Access Token | duffel_live_access_token Duffel | Duffel Test Access Token | duffel_test_access_token Dynatrace | Dynatrace Access Token | dynatrace_access_token Dynatrace | Dynatrace Internal Token | dynatrace_internal_token EasyPost | EasyPost Production API Key | easypost_production_api_key EasyPost | EasyPost Test API Key | easypost_test_api_key Fastly | Fastly API Token | fastly_api_token Finicity | Finicity App Key | finicity_app_key Flutterwave | Flutterwave Live API Secret Key | flutterwave_live_api_secret_key Flutterwave | Flutterwave Test API Secret Key | flutterwave_test_api_secret_key Frame.io | Frame.io JSON Web Token | frameio_jwt Frame.io| Frame.io Developer Token | frameio_developer_token
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-FullStory | FullStory API Key | fullstory_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-GitHub | GitHub Personal Access Token | github_personal_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-GitHub | GitHub OAuth Access Token | github_oauth_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-GitHub | GitHub Refresh Token | github_refresh_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-GitHub | GitHub App Installation Access Token | github_app_installation_access_token{% endif %} GitHub | GitHub SSH Private Key | github_ssh_private_key
+FullStory | FullStory API Key | fullstory_api_key{% endif %} GitHub | GitHub Personal Access Token | github_personal_access_token GitHub | GitHub OAuth Access Token | github_oauth_access_token GitHub | GitHub Refresh Token | github_refresh_token GitHub | GitHub App Installation Access Token | github_app_installation_access_token GitHub | GitHub SSH Private Key | github_ssh_private_key
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
GitLab | GitLab Access Token | gitlab_access_token{% endif %} GoCardless | GoCardless Live Access Token | gocardless_live_access_token GoCardless | GoCardless Sandbox Access Token | gocardless_sandbox_access_token
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
@@ -82,35 +46,15 @@ Google | Google OAuth Client ID | google_oauth_client_id{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Google | Google OAuth Client Secret | google_oauth_client_secret{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
-Google | Google OAuth Refresh Token | google_oauth_refresh_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Grafana | Grafana API Key | grafana_api_key{% endif %} HashiCorp | Terraform Cloud / Enterprise API Token | terraform_api_token HashiCorp | HashiCorp Vault Batch Token | hashicorp_vault_batch_token HashiCorp | HashiCorp Vault Service Token | hashicorp_vault_service_token Hubspot | Hubspot API Key | hubspot_api_key
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Intercom | Intercom Access Token | intercom_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Ionic | Ionic Personal Access Token | ionic_personal_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Ionic | Ionic Refresh Token | ionic_refresh_token{% endif %}
+Google | Google OAuth Refresh Token | google_oauth_refresh_token{% endif %} Grafana | Grafana API Key | grafana_api_key HashiCorp | Terraform Cloud / Enterprise API Token | terraform_api_token HashiCorp | HashiCorp Vault Batch Token | hashicorp_vault_batch_token HashiCorp | HashiCorp Vault Service Token | hashicorp_vault_service_token Hubspot | Hubspot API Key | hubspot_api_key Intercom | Intercom Access Token | intercom_access_token Ionic | Ionic Personal Access Token | ionic_personal_access_token Ionic | Ionic Refresh Token | ionic_refresh_token
{%- ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6944 %}
JD Cloud | JD Cloud Access Key | jd_cloud_access_key{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
JFrog | JFrog Platform Access Token | jfrog_platform_access_token{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-JFrog | JFrog Platform API Key | jfrog_platform_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Linear | Linear API Key | linear_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Linear | Linear OAuth Access Token | linear_oauth_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Lob | Lob Live API Key | lob_live_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Lob | Lob Test API Key | lob_test_api_key{% endif %} Mailchimp | Mailchimp API Key | mailchimp_api_key Mailgun | Mailgun API Key | mailgun_api_key
+JFrog | JFrog Platform API Key | jfrog_platform_api_key{% endif %} Linear | Linear API Key | linear_api_key Linear | Linear OAuth Access Token | linear_oauth_access_token Lob | Lob Live API Key | lob_live_api_key Lob | Lob Test API Key | lob_test_api_key Mailchimp | Mailchimp API Key | mailchimp_api_key Mailgun | Mailgun API Key | mailgun_api_key
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
-Mapbox | Mapbox Secret Access Token | mapbox_secret_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-MessageBird | MessageBird API Key | messagebird_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Meta | Facebook Access Token | facebook_access_token{% endif %}
+Mapbox | Mapbox Secret Access Token | mapbox_secret_access_token{% endif %} MessageBird | MessageBird API Key | messagebird_api_key Meta | Facebook Access Token | facebook_access_token
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Midtrans | Midtrans Production Server Key | midtrans_production_server_key{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
@@ -128,13 +72,7 @@ Notion | Notion Integration Token | notion_integration_token{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Notion | Notion OAuth Client Secret | notion_oauth_client_secret{% endif %} npm | npm Access Token | npm_access_token NuGet | NuGet API Key | nuget_api_key
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
-Octopus Deploy | Octopus Deploy API Key | octopus_deploy_api_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Onfido | Onfido Live API Token | onfido_live_api_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Onfido | Onfido Sandbox API Token | onfido_sandbox_api_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-OpenAI | OpenAI API Key | openai_api_key{% endif %} Palantir | Palantir JSON Web Token | palantir_jwt
+Octopus Deploy | Octopus Deploy API Key | octopus_deploy_api_key{% endif %} Onfido | Onfido Live API Token | onfido_live_api_token Onfido | Onfido Sandbox API Token | onfido_sandbox_api_token OpenAI | OpenAI API Key | openai_api_key Palantir | Palantir JSON Web Token | palantir_jwt
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
PlanetScale | PlanetScale Database Password | planetscale_database_password{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
@@ -144,25 +82,15 @@ PlanetScale | PlanetScale Service Token | planetscale_service_token{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
Plivo | Plivo Auth ID | plivo_auth_id{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-Plivo | Plivo Auth Token | plivo_auth_token{% endif %} Postman | Postman API Key | postman_api_key Proctorio | Proctorio Consumer Key | proctorio_consumer_key Proctorio | Proctorio Linkage Key | proctorio_linkage_key Proctorio | Proctorio Registration Key | proctorio_registration_key Proctorio | Proctorio Secret Key | proctorio_secret_key Pulumi | Pulumi Access Token | pulumi_access_token
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-PyPI | PyPI API Token | pypi_api_token{% endif %}
+Plivo | Plivo Auth Token | plivo_auth_token{% endif %} Postman | Postman API Key | postman_api_key Proctorio | Proctorio Consumer Key | proctorio_consumer_key Proctorio | Proctorio Linkage Key | proctorio_linkage_key Proctorio | Proctorio Registration Key | proctorio_registration_key Proctorio | Proctorio Secret Key | proctorio_secret_key Pulumi | Pulumi Access Token | pulumi_access_token PyPI | PyPI API Token | pypi_api_token
{%- ifversion fpt or ghec or ghes > 3.5 or ghae-issue-7375 %}
-redirect.pizza | redirect.pizza API Token | redirect_pizza_api_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-RubyGems | RubyGems API Key | rubygems_api_key{% endif %} Samsara | Samsara API Token | samsara_api_token Samsara | Samsara OAuth Access Token | samsara_oauth_access_token
+redirect.pizza | redirect.pizza API Token | redirect_pizza_api_token{% endif %} RubyGems | RubyGems API Key | rubygems_api_key Samsara | Samsara API Token | samsara_api_token Samsara | Samsara OAuth Access Token | samsara_oauth_access_token
{%- ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6944 %}
-Segment | Segment Public API Token | segment_public_api_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-SendGrid | SendGrid API Key | sendgrid_api_key{% endif %}
+Segment | Segment Public API Token | segment_public_api_token{% endif %} SendGrid | SendGrid API Key | sendgrid_api_key
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
Sendinblue | Sendinblue API Key | sendinblue_api_key{% endif %}
{%- ifversion fpt or ghec or ghes > 3.2 or ghae %}
-Sendinblue | Sendinblue SMTP Key | sendinblue_smtp_key{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Shippo | Shippo Live API Token | shippo_live_api_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Shippo | Shippo Test API Token | shippo_test_api_token{% endif %}
+Sendinblue | Sendinblue SMTP Key | sendinblue_smtp_key{% endif %} Shippo | Shippo Live API Token | shippo_live_api_token Shippo | Shippo Test API Token | shippo_test_api_token
{%- ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6944 %}
Shopify | Shopify App Client Credentials | shopify_app_client_credentials Shopify | Shopify App Client Secret | shopify_app_client_secret{% endif %} Shopify | Shopify App Shared Secret | shopify_app_shared_secret Shopify | Shopify Access Token | shopify_access_token Shopify | Shopify Custom App Access Token | shopify_custom_app_access_token
{%- ifversion fpt or ghec or ghes > 3.4 or ghae-issue-6944 %}
@@ -172,14 +100,9 @@ Square | Square Access Token | square_access_token{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Square | Square Production Application Secret | square_production_application_secret{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
-Square | Square Sandbox Application Secret | square_sandbox_application_secret{% endif %} SSLMate | SSLMate API Key | sslmate_api_key SSLMate | SSLMate Cluster Secret | sslmate_cluster_secret Stripe | Stripe API Key | stripe_api_key Stripe | Stripe Live API Secret Key | stripe_live_secret_key Stripe | Stripe Test API Secret Key | stripe_test_secret_key Stripe | Stripe Live API Restricted Key | stripe_live_restricted_key Stripe | Stripe Test API Restricted Key | stripe_test_restricted_key
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Stripe | Stripe Webhook Signing Secret | stripe_webhook_signing_secret{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
+Square | Square Sandbox Application Secret | square_sandbox_application_secret{% endif %} SSLMate | SSLMate API Key | sslmate_api_key SSLMate | SSLMate Cluster Secret | sslmate_cluster_secret Stripe | Stripe API Key | stripe_api_key Stripe | Stripe Live API Secret Key | stripe_live_secret_key Stripe | Stripe Test API Secret Key | stripe_test_secret_key Stripe | Stripe Live API Restricted Key | stripe_live_restricted_key Stripe | Stripe Test API Restricted Key | stripe_test_restricted_key Stripe | Stripe Webhook Signing Secret | stripe_webhook_signing_secret
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
-Supabase | Supabase Service Key | supabase_service_key{% endif %} Tableau | Tableau Personal Access Token | tableau_personal_access_token{% endif %}
-{%- ifversion fpt or ghec or ghes > 3.1 or ghae %}
-Telegram | Telegram Bot Token | telegram_bot_token{% endif %} Tencent Cloud | Tencent Cloud Secret ID | tencent_cloud_secret_id
+Supabase | Supabase Service Key | supabase_service_key{% endif %} Tableau | Tableau Personal Access Token | tableau_personal_access_token Telegram | Telegram Bot Token | telegram_bot_token Tencent Cloud | Tencent Cloud Secret ID | tencent_cloud_secret_id
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Twilio | Twilio Access Token | twilio_access_token{% endif %} Twilio | Twilio Account String Identifier | twilio_account_sid Twilio | Twilio API Key | twilio_api_key
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
@@ -202,3 +125,5 @@ Yandex | Yandex.Cloud Access Secret | yandex_iam_access_secret{% endif %}
Yandex | Yandex.Predictor API Key | yandex_predictor_api_key{% endif %}
{%- ifversion fpt or ghec or ghes > 3.3 or ghae-issue-5845 %}
Yandex | Yandex.Translate API Key | yandex_translate_api_key{% endif %}
+{%- ifversion fpt or ghec or ghes > 3.6 or ghae-issue-7456 %}
+Zuplo | Zuplo Consumer API Key | zuplo_consumer_api_key{% endif %}
diff --git a/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-public-repo.md b/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-public-repo.md
index 0259d7da64..7110d0b56b 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-public-repo.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/partner-secret-list-public-repo.md
@@ -103,3 +103,4 @@
| Twilio | Chave da API de Twilio |
| Typeform | Typeform Personal Access Token |
| Valour | Valour Access Token |
+| Zuplo | Zuplo Consumer API |
diff --git a/translations/pt-BR/data/reusables/secret-scanning/push-protection-allow-secrets-alerts.md b/translations/pt-BR/data/reusables/secret-scanning/push-protection-allow-secrets-alerts.md
index 3cac2c414b..3d91818bed 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/push-protection-allow-secrets-alerts.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/push-protection-allow-secrets-alerts.md
@@ -1 +1 @@
-Quando você permite que um segredo seja feito push é criado um alerta na guia "Segurança". {% data variables.product.prodname_dotcom %} closes the alert and doesn't send a notification if you specify that the secret is a false positive or used only in tests. If you specify that the secret is real and that you will fix it later, {% data variables.product.prodname_dotcom %} keeps the security alert open and sends notifications to the author of the commit, as well as to repository administrators. Para obter mais informações, consulte "[Gerenciando alertas da digitalização do segredo](/code-security/secret-scanning/managing-alerts-from-secret-scanning)".
\ No newline at end of file
+Quando você permite que um segredo seja feito push é criado um alerta na guia "Segurança". {% data variables.product.prodname_dotcom %} closes the alert and doesn't send a notification if you specify that the secret is a false positive or used only in tests. If you specify that the secret is real and that you will fix it later, {% data variables.product.prodname_dotcom %} keeps the security alert open and sends notifications to the author of the commit, as well as to repository administrators. Para obter mais informações, consulte "[Gerenciando alertas da digitalização do segredo](/code-security/secret-scanning/managing-alerts-from-secret-scanning)".
diff --git a/translations/pt-BR/data/reusables/secret-scanning/push-protection-choose-allow-secret-options.md b/translations/pt-BR/data/reusables/secret-scanning/push-protection-choose-allow-secret-options.md
index 18401443d4..19e05c1b73 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/push-protection-choose-allow-secret-options.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/push-protection-choose-allow-secret-options.md
@@ -1,4 +1,4 @@
2. Escolha a opção que melhor descreve por que você deve ser capaz de enviar por push o segredo.
- Se o segredo é usado apenas em testes e não apresenta nenhuma ameaça, clique em **É usado em testes**.
- Se a seqüência de caracteres detectada não é um segredo, clique **É um falso-´positivo**.
- - Se o segredo é real mas você pretende corrigi-lo mais tarde, clique em **Eu vou corrigi-lo mais tarde**.
\ No newline at end of file
+ - Se o segredo é real mas você pretende corrigi-lo mais tarde, clique em **Eu vou corrigi-lo mais tarde**.
diff --git a/translations/pt-BR/data/reusables/secret-scanning/push-protection-overview.md b/translations/pt-BR/data/reusables/secret-scanning/push-protection-overview.md
index f0532e3e35..7ff474f805 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/push-protection-overview.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/push-protection-overview.md
@@ -1 +1 @@
-When you enable push protection, {% data variables.product.prodname_secret_scanning %} also checks pushes for high-confidence secrets (those identified with a low false positive rate). {% data variables.product.prodname_secret_scanning_caps %} lists any secrets it detects so the author can review the secrets and remove them or, if needed, allow those secrets to be pushed.
\ No newline at end of file
+When you enable push protection, {% data variables.product.prodname_secret_scanning %} also checks pushes for high-confidence secrets (those identified with a low false positive rate). {% data variables.product.prodname_secret_scanning_caps %} lists any secrets it detects so the author can review the secrets and remove them or, if needed, allow those secrets to be pushed.
diff --git a/translations/pt-BR/data/reusables/secret-scanning/secret-list-private-push-protection.md b/translations/pt-BR/data/reusables/secret-scanning/secret-list-private-push-protection.md
index 9574e1c77c..a7b25f216f 100644
--- a/translations/pt-BR/data/reusables/secret-scanning/secret-list-private-push-protection.md
+++ b/translations/pt-BR/data/reusables/secret-scanning/secret-list-private-push-protection.md
@@ -47,3 +47,5 @@
JFrog | JFrog Platform Access Token | jfrog_platform_access_token JFrog | JFrog Platform API Key | jfrog_platform_api_key{% endif %} Ionic | Ionic Personal Access Token | ionic_personal_access_token Ionic | Ionic Refresh Token | ionic_refresh_token Linear | Linear API Key | linear_api_key Linear | Linear OAuth Access Token | linear_oauth_access_token Midtrans | Midtrans Production Server Key | midtrans_production_server_key New Relic | New Relic Personal API Key | new_relic_personal_api_key New Relic | New Relic REST API Key | new_relic_rest_api_key New Relic | New Relic Insights Query Key | new_relic_insights_query_key npm | npm Access Token | npm_access_token NuGet | NuGet API Key | nuget_api_key Onfido | Onfido Live API Token | onfido_live_api_token OpenAI | OpenAI API Key | openai_api_key PlanetScale | PlanetScale Database Password | planetscale_database_password PlanetScale | PlanetScale OAuth Token | planetscale_oauth_token PlanetScale | PlanetScale Service Token | planetscale_service_token Postman | Postman API Key | postman_api_key Proctorio | Proctorio Secret Key | proctorio_secret_key
{%- ifversion fpt or ghec or ghes > 3.5 or ghae-issue-7375 %}
redirect.pizza | redirect.pizza API Token | redirect_pizza_api_token{% endif %} Samsara | Samsara API Token | samsara_api_token Samsara | Samsara OAuth Access Token | samsara_oauth_access_token SendGrid | SendGrid API Key | sendgrid_api_key Sendinblue | Sendinblue API Key | sendinblue_api_key Sendinblue | Sendinblue SMTP Key | sendinblue_smtp_key Shippo | Shippo Live API Token | shippo_live_api_token Shopify | Shopify App Shared Secret | shopify_app_shared_secret Shopify | Shopify Access Token | shopify_access_token Slack | Slack API Token | slack_api_token Stripe | Stripe Live API Secret Key | stripe_api_key Tencent Cloud | Tencent Cloud Secret ID | tencent_cloud_secret_id Typeform | Typeform Personal Access Token | typeform_personal_access_token WorkOS | WorkOS Production API Key | workos_production_api_key
+{%- ifversion fpt or ghec or ghes > 3.6 or ghae-issue-7456 %}
+Zuplo | Zuplo Consumer API Key | zuplo_consumer_api_key{% endif %}
diff --git a/translations/pt-BR/data/reusables/security-center/permissions.md b/translations/pt-BR/data/reusables/security-center/permissions.md
index 8bc67f83a0..24c6aeb859 100644
--- a/translations/pt-BR/data/reusables/security-center/permissions.md
+++ b/translations/pt-BR/data/reusables/security-center/permissions.md
@@ -1 +1 @@
-Organization owners and security managers can access the security overview for organizations{% ifversion ghec or ghes > 3.4 or ghae-issue-6199 %} and view their organization's repositories via the enterprise-level security overview. Enterprise owners can use the enterprise-level security overview to view all repositories in their enterprise's organizations{% endif %}. Os integrantes de uma equipe podem visualizar a visão geral de segurança dos repositórios para os quais a equipe tem privilégios de administrador.
\ No newline at end of file
+Organization owners and security managers can access the security overview for organizations{% ifversion ghec or ghes > 3.4 or ghae-issue-6199 %} and view their organization's repositories via the enterprise-level security overview. Enterprise owners can use the enterprise-level security overview to view all repositories in their enterprise's organizations{% endif %}. Os integrantes de uma equipe podem visualizar a visão geral de segurança dos repositórios para os quais a equipe tem privilégios de administrador.
diff --git a/translations/pt-BR/data/reusables/server-statistics/csv-download.md b/translations/pt-BR/data/reusables/server-statistics/csv-download.md
index ca13a3f86d..7e476f2c7d 100644
--- a/translations/pt-BR/data/reusables/server-statistics/csv-download.md
+++ b/translations/pt-BR/data/reusables/server-statistics/csv-download.md
@@ -1 +1 @@
-4. To start your download, under "{% data variables.product.prodname_github_connect %}", click **Export**, then choose whether you want to download a JSON or CSV file. 
\ No newline at end of file
+4. To start your download, under "{% data variables.product.prodname_github_connect %}", click **Export**, then choose whether you want to download a JSON or CSV file. 
diff --git a/translations/pt-BR/data/reusables/ssh/key-type-support.md b/translations/pt-BR/data/reusables/ssh/key-type-support.md
index 05e444cc2b..f2a03a9ed5 100644
--- a/translations/pt-BR/data/reusables/ssh/key-type-support.md
+++ b/translations/pt-BR/data/reusables/ssh/key-type-support.md
@@ -8,4 +8,4 @@ As of that date, DSA keys (`ssh-dss`) are no longer supported. You cannot add ne
RSA keys (`ssh-rsa`) with a `valid_after` before November 2, 2021 may continue to use any signature algorithm. RSA keys generated after that date must use a SHA-2 signature algorithm. Some older clients may need to be upgraded in order to use SHA-2 signatures.
{% endnote %}
-{% endif %}
\ No newline at end of file
+{% endif %}
diff --git a/translations/pt-BR/data/reusables/support/premium-support-features.md b/translations/pt-BR/data/reusables/support/premium-support-features.md
index 56c03ae93c..875cd7d65a 100644
--- a/translations/pt-BR/data/reusables/support/premium-support-features.md
+++ b/translations/pt-BR/data/reusables/support/premium-support-features.md
@@ -6,6 +6,6 @@ In addition to all of the benefits of {% data variables.contact.enterprise_suppo
- The ability to escalate ticket progression in the {% data variables.contact.enterprise_portal %}
- A dedicated team of Incident Coordinators who orchestrate all necessary {% data variables.product.company_short %} parties to resolve urgent tickets
- Acesso a conteúdo premium
- - Health Checks
+ - Verificações de integridade
- Application upgrade assistance: Before you upgrade {% data variables.product.prodname_ghe_server %}, we review your upgrade plans, playbooks, and other documentation and answer questions specific to your environment ({% data variables.product.premium_plus_support_plan %} only)
- Technical advisory hours ({% data variables.product.premium_plus_support_plan %} only)
diff --git a/translations/pt-BR/data/reusables/support/view-open-tickets.md b/translations/pt-BR/data/reusables/support/view-open-tickets.md
index 76f367829f..c71894943c 100644
--- a/translations/pt-BR/data/reusables/support/view-open-tickets.md
+++ b/translations/pt-BR/data/reusables/support/view-open-tickets.md
@@ -3,5 +3,5 @@
{% indented_data_reference reusables.support.entitlements-note spaces=3 %}
- 
+ 
1. In the list of tickets, click the subject of the ticket you want to view. 
diff --git a/translations/pt-BR/data/reusables/supported-languages/go.md b/translations/pt-BR/data/reusables/supported-languages/go.md
index 5ccfc9fcb3..68bdb345e3 100644
--- a/translations/pt-BR/data/reusables/supported-languages/go.md
+++ b/translations/pt-BR/data/reusables/supported-languages/go.md
@@ -1 +1 @@
-| Go |{% ifversion fpt or ghec %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} Go modules | {% octicon "check" aria-label="The check icon" %} Go modules | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghes > 3.1 %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} Go modules {% ifversion ghes > 3.2 %}| {% octicon "check" aria-label="The check icon" %} Go modules{% endif %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghes %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghae %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %}| |{% endif %}
+| Go |{% ifversion fpt or ghec %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} Go modules | {% octicon "check" aria-label="The check icon" %} Go modules | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghes %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} Go modules {% ifversion ghes > 3.2 %}| {% octicon "check" aria-label="The check icon" %} Go modules{% endif %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghes %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %} |{% elsif ghae %}| {% octicon "check" aria-label="The check icon" %} | {% octicon "check" aria-label="The check icon" %} | {% octicon "x" aria-label="The X icon" %}| |{% endif %}
diff --git a/translations/pt-BR/data/reusables/user-settings/copilot-settings.md b/translations/pt-BR/data/reusables/user-settings/copilot-settings.md
index ff9c9feeb4..06e7458a7c 100644
--- a/translations/pt-BR/data/reusables/user-settings/copilot-settings.md
+++ b/translations/pt-BR/data/reusables/user-settings/copilot-settings.md
@@ -1,2 +1 @@
1. In the left sidebar, click **{% octicon "copilot" aria-label="The copilot icon" %} GitHub Copilot**.
-
diff --git a/translations/pt-BR/data/reusables/user-settings/removes-personal-access-tokens.md b/translations/pt-BR/data/reusables/user-settings/removes-personal-access-tokens.md
index c6184d182d..d7802bca75 100644
--- a/translations/pt-BR/data/reusables/user-settings/removes-personal-access-tokens.md
+++ b/translations/pt-BR/data/reusables/user-settings/removes-personal-access-tokens.md
@@ -1 +1 @@
-As a security precaution, {% data variables.product.company_short %} automatically removes personal access tokens that haven't been used in a year.{% ifversion fpt or ghes > 3.1 or ghae or ghec %} To provide additional security, we highly recommend adding an expiration to your personal access tokens.{% endif %}
+As a security precaution, {% data variables.product.company_short %} automatically removes personal access tokens that haven't been used in a year. To provide additional security, we highly recommend adding an expiration to your personal access tokens.
diff --git a/translations/pt-BR/data/reusables/user-settings/update-preferences.md b/translations/pt-BR/data/reusables/user-settings/update-preferences.md
index b7a9af7769..fe37a4035a 100644
--- a/translations/pt-BR/data/reusables/user-settings/update-preferences.md
+++ b/translations/pt-BR/data/reusables/user-settings/update-preferences.md
@@ -1 +1 @@
-1. Clique em **Update preferences** (Atualizar preferências).
\ No newline at end of file
+1. Clique em **Update preferences** (Atualizar preferências).
diff --git a/translations/pt-BR/data/reusables/user-settings/user-api.md b/translations/pt-BR/data/reusables/user-settings/user-api.md
index 36fb5d3c51..04985f4969 100644
--- a/translations/pt-BR/data/reusables/user-settings/user-api.md
+++ b/translations/pt-BR/data/reusables/user-settings/user-api.md
@@ -1 +1 @@
-Many of the resources on this API provide a shortcut for getting information about the currently authenticated user. Se uma URL de solicitação não incluir um parâmetro `{username}`, a resposta será para o usuário conectado (e você deve passar [informações de autenticação](/rest/overview/resources-in-the-rest-api#authentication) com sua solicitação).{% ifversion fpt or ghes or ghec %} Informações privadas adicionais, como se um usuário tem autenticação de dois fatores habilitada, estão incluídas quando a autenticação é efetuada por meio da autenticação básica ou OAuth com o escopo do `usuário` .{% endif %}
\ No newline at end of file
+Many of the resources on this API provide a shortcut for getting information about the currently authenticated user. Se uma URL de solicitação não incluir um parâmetro `{username}`, a resposta será para o usuário conectado (e você deve passar [informações de autenticação](/rest/overview/resources-in-the-rest-api#authentication) com sua solicitação).{% ifversion fpt or ghes or ghec %} Informações privadas adicionais, como se um usuário tem autenticação de dois fatores habilitada, estão incluídas quando a autenticação é efetuada por meio da autenticação básica ou OAuth com o escopo do `usuário` .{% endif %}
diff --git a/translations/pt-BR/data/reusables/webhooks/create_properties.md b/translations/pt-BR/data/reusables/webhooks/create_properties.md
index a863dba4e8..81e033e3c1 100644
--- a/translations/pt-BR/data/reusables/webhooks/create_properties.md
+++ b/translations/pt-BR/data/reusables/webhooks/create_properties.md
@@ -1,6 +1,6 @@
-| Tecla | Tipo | Descrição |
-| --------------- | -------- | ------------------------------------------------------------------------------------------------------------------------------------------- |
-| `ref` | `string` | O recurso [`ref do git`](/rest/reference/git#get-a-reference). |
-| `ref_type` | `string` | O tipo de objeto de ref do Git criado no repositório. Pode ser `branch` ou `tag`. |
-| `master_branch` | `string` | The name of the repository's default branch (usually {% ifversion fpt or ghes > 3.1 or ghae or ghec %}`main`{% else %}`master`{% endif %}). |
-| `descrição` | `string` | Descrição atual do repositório. |
+| Tecla | Tipo | Descrição |
+| --------------- | -------- | --------------------------------------------------------------------------------- |
+| `ref` | `string` | O recurso [`ref do git`](/rest/reference/git#get-a-reference). |
+| `ref_type` | `string` | O tipo de objeto de ref do Git criado no repositório. Pode ser `branch` ou `tag`. |
+| `master_branch` | `string` | The name of the repository's default branch (usually `main`). |
+| `descrição` | `string` | Descrição atual do repositório. |
diff --git a/translations/pt-BR/data/reusables/webhooks/discussion_desc.md b/translations/pt-BR/data/reusables/webhooks/discussion_desc.md
index b3f769749a..a573e31f27 100644
--- a/translations/pt-BR/data/reusables/webhooks/discussion_desc.md
+++ b/translations/pt-BR/data/reusables/webhooks/discussion_desc.md
@@ -1 +1 @@
-`discussion` | `object` | The [`discussion`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/guides/using-the-graphql-api-for-discussions#discussion) resource.
+`discussion` | `object` | The [`discussion`](/graphql/guides/using-the-graphql-api-for-discussions#discussion) resource.
diff --git a/translations/pt-BR/data/reusables/webhooks/org_desc_graphql.md b/translations/pt-BR/data/reusables/webhooks/org_desc_graphql.md
index 97edc6603b..1db67f6f94 100644
--- a/translations/pt-BR/data/reusables/webhooks/org_desc_graphql.md
+++ b/translations/pt-BR/data/reusables/webhooks/org_desc_graphql.md
@@ -1 +1 @@
-`organização` | `objeto` Cargas do webhook contêm o objeto da [`organização`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#organization) quando o webhook é configurado para uma organização ou o evento ocorre a partir da atividade em um repositório pertencente a uma organização.
+`organização` | `objeto` Cargas do webhook contêm o objeto da [`organização`](/graphql/reference/objects#organization) quando o webhook é configurado para uma organização ou o evento ocorre a partir da atividade em um repositório pertencente a uma organização.
diff --git a/translations/pt-BR/data/reusables/webhooks/pull_request_review_thread_short_desc.md b/translations/pt-BR/data/reusables/webhooks/pull_request_review_thread_short_desc.md
index 7d835cbe5a..d0496c2448 100644
--- a/translations/pt-BR/data/reusables/webhooks/pull_request_review_thread_short_desc.md
+++ b/translations/pt-BR/data/reusables/webhooks/pull_request_review_thread_short_desc.md
@@ -1 +1 @@
-Activity related to a comment thread on a pull request being marked as resolved or unresolved. {% data reusables.webhooks.action_type_desc %}
\ No newline at end of file
+Activity related to a comment thread on a pull request being marked as resolved or unresolved. {% data reusables.webhooks.action_type_desc %}
diff --git a/translations/pt-BR/data/reusables/webhooks/repo_desc_graphql.md b/translations/pt-BR/data/reusables/webhooks/repo_desc_graphql.md
index cb57c40733..4561a3d0bb 100644
--- a/translations/pt-BR/data/reusables/webhooks/repo_desc_graphql.md
+++ b/translations/pt-BR/data/reusables/webhooks/repo_desc_graphql.md
@@ -1 +1 @@
-`repositório` | `objeto` | O [`repositório`]({% ifversion ghec %}/free-pro-team@latest{% endif %}/graphql/reference/objects#repository) em que o evento ocorreu.
+`repositório` | `objeto` | O [`repositório`](/graphql/reference/objects#repository) em que o evento ocorreu.
| |