From c202dbef49bf5ed4aa062cd34596191e0acf4310 Mon Sep 17 00:00:00 2001 From: Simpy Date: Sat, 20 Apr 2024 18:13:29 -0400 Subject: [PATCH 1/5] https://github.com/oUF-wow/oUF/pull/674 --- ElvUI_Libraries/Core/oUF/elements/tags.lua | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ElvUI_Libraries/Core/oUF/elements/tags.lua b/ElvUI_Libraries/Core/oUF/elements/tags.lua index 00ed324814..f9a19165a5 100644 --- a/ElvUI_Libraries/Core/oUF/elements/tags.lua +++ b/ElvUI_Libraries/Core/oUF/elements/tags.lua @@ -448,7 +448,7 @@ local tagStrings = { end]], ['threatcolor'] = [[function(u) - return Hex(GetThreatStatusColor(UnitThreatSituation(u))) + return Hex(GetThreatStatusColor(UnitThreatSituation(u) or 0)) end]], } From 6a9e51488491b367fc33e1f759c3de2b87befcee Mon Sep 17 00:00:00 2001 From: Simpy Date: Sat, 20 Apr 2024 18:14:34 -0400 Subject: [PATCH 2/5] https://github.com/oUF-wow/oUF/pull/675 --- ElvUI_Libraries/Core/oUF/elements/castbar.lua | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/ElvUI_Libraries/Core/oUF/elements/castbar.lua b/ElvUI_Libraries/Core/oUF/elements/castbar.lua index d1d1b0c021..effe7bbddb 100644 --- a/ElvUI_Libraries/Core/oUF/elements/castbar.lua +++ b/ElvUI_Libraries/Core/oUF/elements/castbar.lua @@ -184,7 +184,9 @@ local function UpdatePips(element, numStages) pip:Show() if(isHoriz) then - pip:RotateTextures(0) + if(pip.RotateTextures) then + pip:RotateTextures(0) + end if(element:GetReverseFill()) then pip:SetPoint('TOP', element, 'TOPRIGHT', -offset, 0) @@ -194,7 +196,9 @@ local function UpdatePips(element, numStages) pip:SetPoint('BOTTOM', element, 'BOTTOMLEFT', offset, 0) end else - pip:RotateTextures(1.5708) + if(pip.RotateTextures) then + pip:RotateTextures(1.5708) + end if(element:GetReverseFill()) then pip:SetPoint('LEFT', element, 'TOPLEFT', 0, -offset) From 57835e6b8fc98caaac300aff8522dd0c236a57f2 Mon Sep 17 00:00:00 2001 From: Simpy Date: Sat, 20 Apr 2024 18:19:15 -0400 Subject: [PATCH 3/5] https://github.com/oUF-wow/oUF/pull/677 --- ElvUI_Libraries/Core/oUF/elements/castbar.lua | 40 ++++++++++++++----- 1 file changed, 31 insertions(+), 9 deletions(-) diff --git a/ElvUI_Libraries/Core/oUF/elements/castbar.lua b/ElvUI_Libraries/Core/oUF/elements/castbar.lua index effe7bbddb..3a7963ebf9 100644 --- a/ElvUI_Libraries/Core/oUF/elements/castbar.lua +++ b/ElvUI_Libraries/Core/oUF/elements/castbar.lua @@ -216,11 +216,25 @@ local function UpdatePips(element, numStages) end end +--[[ Override: Castbar:ShouldShow(unit) +Handles check for which unit the castbar should show for. +Defaults to the object unit. +* self - the Castbar widget +* unit - the unit for which the update has been triggered (string) +--]] +local function ShouldShow(element, unit) + return element.__owner.unit == unit +end + + local function CastStart(self, real, unit, castGUID) - if self.unit ~= unit then return end if oUF.isRetail and real == 'UNIT_SPELLCAST_START' and not castGUID then return end local element = self.Castbar + if(not (element.ShouldShow or ShouldShow) (element, unit)) then + return + end + local name, text, texture, startTime, endTime, isTradeSkill, castID, notInterruptible, spellID = UnitCastingInfo(unit) local numStages, _ @@ -332,9 +346,11 @@ local function CastStart(self, real, unit, castGUID) end local function CastUpdate(self, event, unit, castID, spellID) - if(self.unit ~= unit) then return end - local element = self.Castbar + if(not (element.ShouldShow or ShouldShow) (element, unit)) then + return + end + if(not element:IsShown() or ((unit == 'player' or oUF.isRetail) and (element.castID ~= castID)) or (oUF.isRetail and (element.spellID ~= spellID))) then return end @@ -389,9 +405,11 @@ local function CastUpdate(self, event, unit, castID, spellID) end local function CastStop(self, event, unit, castID, spellID) - if(self.unit ~= unit) then return end - local element = self.Castbar + if(not (element.ShouldShow or ShouldShow) (element, unit)) then + return + end + if(not element:IsShown() or ((unit == 'player' or oUF.isRetail) and (element.castID ~= castID)) or (oUF.isRetail and (element.spellID ~= spellID))) then return end @@ -419,9 +437,11 @@ local function CastStop(self, event, unit, castID, spellID) end local function CastFail(self, event, unit, castID, spellID) - if(self.unit ~= unit) then return end - local element = self.Castbar + if(not (element.ShouldShow or ShouldShow) (element, unit)) then + return + end + if(not element:IsShown() or ((unit == 'player' or oUF.isRetail) and (element.castID ~= castID)) or (oUF.isRetail and (element.spellID ~= spellID))) then return end @@ -457,9 +477,11 @@ local function CastFail(self, event, unit, castID, spellID) end local function CastInterruptible(self, event, unit) - if(self.unit ~= unit) then return end - local element = self.Castbar + if(not (element.ShouldShow or ShouldShow) (element, unit)) then + return + end + if(not element:IsShown()) then return end element.notInterruptible = event == 'UNIT_SPELLCAST_NOT_INTERRUPTIBLE' From df355e019c4651a298e52bc39a25884ee167e50d Mon Sep 17 00:00:00 2001 From: namreeb Date: Sun, 21 Apr 2024 08:17:23 -1000 Subject: [PATCH 4/5] Added workaround for direct heals not reported by client when HealComm is present (#1198) --- .../Core/oUF/elements/healthprediction.lua | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/ElvUI_Libraries/Core/oUF/elements/healthprediction.lua b/ElvUI_Libraries/Core/oUF/elements/healthprediction.lua index 9f853a644b..847655cc49 100644 --- a/ElvUI_Libraries/Core/oUF/elements/healthprediction.lua +++ b/ElvUI_Libraries/Core/oUF/elements/healthprediction.lua @@ -108,6 +108,21 @@ local function Update(self, event, unit) local otherIncomingHeal = 0 local hasOverHealAbsorb = false + -- Kludge to override value for heals not reported by WoW client (ref: https://github.com/Stanzilla/WoWUIBugs/issues/163) + -- There may be other bugs that this workaround does not catch, but this does fix Priest PoH + if(HealComm and not oUF.isRetail) then + local healAmount = HealComm:GetHealAmount(GUID, HealComm.CASTED_HEALS) or 0 + if(healAmount > 0) then + if(myIncomingHeal == 0 and unit == 'player') then + myIncomingHeal = healAmount + end + + if(allIncomingHeal == 0) then + allIncomingHeal = healAmount + end + end + end + if(healAbsorb > allIncomingHeal) then healAbsorb = healAbsorb - allIncomingHeal allIncomingHeal = 0 From 0da6a293ecaa10ad7395b3be1775555706feeb26 Mon Sep 17 00:00:00 2001 From: Eltreum <30246110+eltreum0@users.noreply.github.com> Date: Sun, 21 Apr 2024 15:17:41 -0300 Subject: [PATCH 5/5] update ptBR locale (#1199) --- ElvUI/Locales/ptBR.lua | 292 +++---- ElvUI_Options/Locales/ptBR.lua | 1486 ++++++++++++++++---------------- 2 files changed, 888 insertions(+), 890 deletions(-) diff --git a/ElvUI/Locales/ptBR.lua b/ElvUI/Locales/ptBR.lua index 76c522ae7f..b5c6dd75ea 100644 --- a/ElvUI/Locales/ptBR.lua +++ b/ElvUI/Locales/ptBR.lua @@ -4,32 +4,32 @@ local L = E.Libs.ACL:NewLocale('ElvUI', 'ptBR') L["Countdown"] = "Iniciar" L["Reset"] = "Reiniciar" -L["ELVUI_DESC"] = ("*ElvUI|r |cFFffffffé um Addon completo de substituição da interface original do World of Warcraft.|r"):gsub('*', E.InfoColor) -L["UPDATE_REQUEST"] = "Parece haver um problema com sua instalação. Por favor reinstale ElvUI." -L[" |cff00ff00bound to |r"] = " |cff00ff00Ligado a |r" -L["%s frame has a conflicting anchor point. Forcing the Buffs to be attached to the main unitframe."] = "O quadro %s está conflitando com outro ponto de fixação. Forçando os Buffs serem anexados ao Quadro de Unidade principal." +L["ELVUI_DESC"] = ("*ElvUI|r |cFFffffffé um Addon de substituição completa da interface original do World of Warcraft.|r"):gsub('*', E.InfoColor) +L["UPDATE_REQUEST"] = "Parece haver um problema com sua instalação. Por favor reinstale o ElvUI." +L[" |cff00ff00bound to |r"] = " |cff00ff00vinculado a |r" +L["%s frame has a conflicting anchor point. Forcing the Buffs to be attached to the main unitframe."] = "O quadro %s está conflitando com outro ponto de fixação. Forçando os Bônus a serem anexados ao Quadro de Unidade principal." L["%s is attempting to share his filters with you. Would you like to accept the request?"] = "%s está tentando compartilhar os filtros dele com você. Gostaria de aceitar o pedido?" L["%s is attempting to share the profile %s with you. Would you like to accept the request?"] = "%s está tentando compartilhar o perfil %s com você. Gostaria de aceitar o pedido?" L["%s: %s tried to call the protected function '%s'."] = "%s: %s tentou chamar a função protegida '%s'." -L["(Ctrl & Shift Click) Toggle CPU Profiling"] = true +L["(Ctrl & Shift Click) Toggle CPU Profiling"] = "(Ctrl & Shift Clique) Alternar Medição de Desempenho da CPU" L["(Hold Shift) Memory Usage"] = "(Segurar Shift) Memória em Uso" L["(Shift Click) Collect Garbage"] = "(Clique Shift) Coletar lixo" -L["A raid marker feature is available by pressing Escape -> Keybinds. Scroll to the bottom -> ElvUI -> Raid Marker."] = true +L["A raid marker feature is available by pressing Escape -> Keybinds. Scroll to the bottom -> ElvUI -> Raid Marker."] = "Um recurso de marcação de raíde está disponível em Esc -> Atalhos do Teclado. Role o texto para baixo -> ElvUI -> Raid Marker." L["A setting you have changed will change an option for this character only. This setting that you have changed will be uneffected by changing user profiles. Changing this setting requires that you reload your User Interface."] = "A definição que você alterou afetará apenas este personagem. Esta definição que você alterou não será afetada por mudanças de perfil. Alterar esta difinição requer que você recarregue a sua interface." -L["ABOVE_THREAT_FORMAT"] = "%s: %.0f%% [%.0f%% above |cff%02x%02x%02x%s|r]" -L["Accepting this will reset the UnitFrame settings for %s. Are you sure?"] = "Aceitar isso irá resetar suas configurações de Quadro de Unidade para %s. Você tem certeza?" +L["ABOVE_THREAT_FORMAT"] = "%s: %.0f%% [%.0f%% acima de |cff%02x%02x%02x%s|r]" +L["Accepting this will reset the UnitFrame settings for %s. Are you sure?"] = "Aceitar isso irá resetar suas configurações de Quadro de Unidade para %s. Você tem certeza?" L["Accepting this will reset your Filter Priority lists for all auras on NamePlates. Are you sure?"] = "Aceitar isso irá resetar sua lista de Prioridade de Filtros para todas as auras nas Placas de Identificação. Você tem certeza?" L["Accepting this will reset your Filter Priority lists for all auras on UnitFrames. Are you sure?"] = "Aceitar isso irá resetar sua lista de Prioridade de Filtros para todas as auras nos Quadros de Unidades. Você tem certeza?" -L["Active Output Audio Device"] = true -L["AddOn Memory:"] = true -L["Adjust the UI Scale to fit your screen."] = true -L["Affix"] = true +L["Active Output Audio Device"] = "Dispositivo de Saída de Aúdio Ativo" +L["AddOn Memory:"] = "Memória do AddOn:" +L["Adjust the UI Scale to fit your screen."] = "Adjuste a escala da interface para caber na sua tela." +L["Affix"] = "Afixo" L["AFK"] = true -L["All keybindings cleared for |cff00ff00%s|r."] = "Todos os atalhos livres para |cff00ff00%s|r." +L["All keybindings cleared for |cff00ff00%s|r."] = "Todos os atalhos foram livrados para |cff00ff00%s|r." L["Alliance: "] = "Aliança: " -L["Already Running.. Bailing Out!"] = "Já está executando... Cancelando a ordenação!" +L["Already Running.. Bailing Out!"] = "Já está executando... Caindo fora!" L["Alternative Power"] = "Poder Alternativo" -L["Ammo/Shard Counter"] = true +L["Ammo/Shard Counter"] = "Contador de Munição/Fragmento" L["AP:"] = "PA:" L["Archeology Progress Bar"] = "Barra de Progressão de Arqueologia" L["Are you sure you want to apply this font to all ElvUI elements?"] = "Tem certeza que quer aplicar essa fonte para todos os elementos do ElvUI?" @@ -42,8 +42,8 @@ L["Aura Bars"] = "Barras de Auras" L["Auras Set"] = "Auras Selecionadas" L["Auras"] = true L["Auto Scale"] = "Dimensionar automaticamente" -L["AVD: "] = "AVD: " -L["Avoidance Breakdown"] = "Separação de Anulação" +L["AVD: "] = true +L["Avoidance Breakdown"] = "Separação de Evasão" L["Azerite Bar"] = "Barra de Azerita" L["Bag Bar"] = "Barra das Bolsas" L["Bags (Grow Down)"] = "Bolsas (crescer para baixo)" @@ -55,26 +55,26 @@ L["Bank (Grow Up)"] = "Banco (crescer para cima)" L["Bank"] = "Banco" L["Bar "] = "Barra " L["Bars"] = "Barras" -L["Battleground datatexts temporarily hidden, to show type /bgstats"] = true -L["Battleground datatexts will now show again if you are inside a battleground."] = "Os textos Informativos irão agora ser mostrados se estiver dentro de um Campo de Batalha." +L["Battleground datatexts temporarily hidden, to show type /bgstats"] = "Textos Informativos de Campo de Batalha estão temporariamente escondidos, para mostrar digite /bgstats" +L["Battleground datatexts will now show again if you are inside a battleground."] = "Os Textos Informativos irão agora ser mostrados se estiver dentro de um Campo de Batalha." L["BelowMinimapWidget"] = true L["Binding"] = "Ligações" L["BINDINGS_HELP"] = ("Hover your mouse over any *action|r, *micro|r, *macro|r, or *spellbook|r button to bind it. This also works for items in your *bag|r. Press the ^ESC|r key to ^clear|r the current bindings."):gsub('*', E.InfoColor):gsub('%^', E.InfoColor2) L["Binds Discarded"] = "Ligações Descartadas" L["Binds Saved"] = "Ligações Salvas" -L["Blizzard Widgets"] = true +L["Blizzard Widgets"] = "Widgets da Blizzard" L["BNet Frame"] = "Quadro do Bnet" L["BoE"] = true L["BoP"] = true L["Boss Button"] = "Botão de Chefe" L["Boss Frames"] = "Quadros dos Chefes" -L["Boss"] = true -L["BossBannerWidget"] = "Banner do Boss" +L["Boss"] = "Chefe" +L["BossBannerWidget"] = "Banner do Chefe" L["BoU"] = true L["Buffs"] = "Bônus" -L["Building(s) Report:"] = "Relatório de Construções:" +L["Building(s) Report:"] = "Construindo Relatório(s):" L["Calendar"] = "Calendário" -L["Calling Quest(s) available."] = true +L["Calling Quest(s) available."] = "Objetivo de Chamado disponível." L["Can't buy anymore slots!"] = "Não é possível comprar mais espaços!" L["Can't Roll"] = "Não pode rolar" L["Character: "] = "Personagem: " @@ -83,7 +83,7 @@ L["Chat"] = "Bate-papo" L["Choose a theme layout you wish to use for your initial setup."] = "Escolha o tema de layout que deseje usar inicialmente." L["Class Bar"] = "Barra da Classe" L["Classic"] = "Clássico" -L["Combat Indicator"] = true +L["Combat Indicator"] = "Indicador de Combate" L["Combat"] = "Combate" L["Combat/Arena Time"] = "Tempo de Combate/Arena" L["Config Mode:"] = "Modo de configuração" @@ -92,65 +92,65 @@ L["Continue"] = "Continuar" L["Coords"] = "Coordenadas" L["copperabbrev"] = "|cffeda55fc|r" L["Current Difficulties:"] = "Dificuldades atuais:" -L["Current Level:"] = "Level atual:" +L["Current Level:"] = "Nível atual:" L["CVars Set"] = "CVars configuradas" L["CVars"] = "CVars" -L["Daily Reset"] = true +L["Daily Reset"] = "Reinício Diário" L["Dark"] = "Escuro" L["Data From: %s"] = "Dados De: %s" L["Dead"] = "Morto" -L["Debuffs"] = true +L["Debuffs"] = "Penalidades" L["Deficit:"] = "Défice:" L["Delete gray items?"] = "Deletar itens cinzentos?" L["Deposit Reagents"] = "Depositar Reagentes" L["Disable Warning"] = "Desativar Aviso" L["Disable"] = "Desativar" -L["Disabled"] = true +L["Disabled"] = "Desabilitado" L["Disband Group"] = "Dissolver Grupo" L["Discard"] = "Descartar" L["Discord"] = true L["DND"] = "NP" -L["Do you swear not to post in technical support about something not working without first disabling the addon/module combination first?"] = "Você jura não postar no suporte técnico sobre alguma coisa não funcionando sem antes desabilitar a combinação addon/módulo?" -L["Don't forget to backup your WTF folder, all your profiles and settings are in there."] = true +L["Do you swear not to post in technical support about something not working without first disabling the addon/module combination first?"] = "Você jura não postar no suporte técnico sobre alguma coisa não funcionando sem antes desabilitar a combinação de addon/módulo primeiro?" +L["Don't forget to backup your WTF folder, all your profiles and settings are in there."] = "Não se esqueça de fazer um backup da sua pasta WTF, todos os perfis e configurações estão lá." L["Download"] = "Download" L["DPS"] = "DPS" -L["Durability Frame"] = true +L["Durability Frame"] = "Quadro de Durabilidade" L["Earned:"] = "Ganho:" L["Elite"] = true -L["ElvUI has a dual spec feature which allows you to load different profiles based on your current spec on the fly. You can enable it in the profiles tab."] = true +L["ElvUI has a dual spec feature which allows you to load different profiles based on your current spec on the fly. You can enable it in the profiles tab."] = "ElvUI tem um recurso de especialização dupla que permite que você carrege diferentes perfis baseando-se na spec atual. Você pode habilitar isto na aba de perfis." L["ElvUI Installation"] = "Instalação do ElvUI" -L["ElvUI is five or more revisions out of date. You can download the newest version from tukui.org."] = "O ElvUI está rodando com cinco ou mais revisões desatualizadas. Você pode baixar a mais nova versão em tukui.org." -L["ElvUI is out of date. You can download the newest version from tukui.org."] = "O ElvUI está desatualizado. Você pode baixar a mais nova versão em tukui.org." +L["ElvUI is five or more revisions out of date. You can download the newest version from tukui.org."] = "ElvUI está rodando com cinco ou mais revisões desatualizadas. Você pode baixar a mais nova versão em tukui.org." +L["ElvUI is out of date. You can download the newest version from tukui.org."] = "ElvUI está desatualizado. Você pode baixar a mais nova versão em tukui.org." L["ElvUI Plugin Installation"] = "Instalação de Plugin para ElvUI" L["Status"] = "Status" -L["ElvUI Version:"] = true +L["ElvUI Version:"] = "Versão do ElvUI:" L["Error resetting UnitFrame."] = "Erro ao resetar o Quadro de Unidade" -L["EventToastWidget"] = true +L["EventToastWidget"] = "Widget de Mensagem de Evento" L["Experience Bar"] = "Barra de Experiência" L["Experience"] = "Experiência" L["Filter download complete from %s, would you like to apply changes now?"] = "Baixa de filtros de %s completada, gostaria de aplicar as alterações agora?" L["Finished"] = "Terminado" L["Fishy Loot"] = "Saque de Peixes" -L["Focus Aura Bars"] = true +L["Focus Aura Bars"] = "Barras de Aura do Foco" L["Focus Castbar"] = "Barra de Lançamento do Foco" L["Focus Frame"] = "Quadro do Foco" L["FocusTarget Frame"] = "Quadro do Alvo do Foco" L["Frame"] = "Quadro" L["Friends List"] = "Lista de Amigos" -L["From time to time you should compare your ElvUI version against the most recent version on our website."] = true +L["From time to time you should compare your ElvUI version against the most recent version on our website."] = "De vez em quando você deve comparar sua versão do ElvUI com a disponível no nosso website." L["G"] = "G" L["Ghost"] = "Fantasma" L["GM Ticket Frame"] = "Quadro de Consulta com GM" L["Gold"] = "Ouro" L["goldabbrev"] = "|cffffd700g|r" -L["Grays"] = true +L["Grays"] = "Cinzas" L["Grid Size:"] = "Tamanho da Grade" -L["Heal Power"] = true +L["Heal Power"] = "Poder de Cura" L["Healer"] = "Curandeiro" L["Hold Control + Right Click:"] = "Segurar Control + Clique Direito:" L["Hold Shift + Drag:"] = "Segurar Shift + Arrastar:" L["Hold Shift + Right Click:"] = "Segurar Shift + Clique Direito" -L["Hold Shift:"] = true +L["Hold Shift:"] = "Segure Shift:" L["Home Latency:"] = "Latência de Casa:" L["Home Protocol:"] = "Protocolo de Casa:" L["Honor Bar"] = "Barra de honra" @@ -162,22 +162,22 @@ L["HPS"] = "PVS" L["I Swear"] = "Eu Juro" L["I"] = true L["Icons Only"] = "Apenas Ícones" -L["If you accidentally removed a default chat tab you can always re-run the chat part of the ElvUI installer."] = true -L["If you are experiencing issues with ElvUI try disabling all your addons except ElvUI first."] = true +L["If you accidentally removed a default chat tab you can always re-run the chat part of the ElvUI installer."] = "Se você removeu acidentalmente uma aba padrão do Bate-papo você sempre pode rodar a parte de Bate-papo do instalador do ElvUI." +L["If you are experiencing issues with ElvUI try disabling all your addons except ElvUI first."] = "Se você estiver enfrentando problemas com o ElvUI tente desabilitar todos os seus addons exceto o ElvUI." L["If you have an icon or aurabar that you don't want to display simply hold down shift and right click the icon for it to disapear."] = "Se você tiver um Ícone ou Barra de Auras que você não quer mostrar, segure Shift e clique com o botão direito para ela desaparecer." L["IL"] = "IL" L["Importance: |cFF33FF33Low|r"] = "Importância: |cFF33FF33Baixa|r" L["Importance: |cffD3CF00Medium|r"] = "Importância: |cffD3CF00Média|r" L["Importance: |cffFF3333High|r"] = "Importância: |cffFF3333Alta|r" L["In Progress"] = "Em Progresso" -L["INCOMPATIBLE_ADDON"] = "%s is not compatible with %s.\nPlease select the addon/module to use." +L["INCOMPATIBLE_ADDON"] = "%s não é compatível com %s.\nPor favor selecione o addon/módulo que deseja usar." L["Installation Complete"] = "Instalação Completa" -L["Interrupted %s's |cff71d5ff|Hspell:%d:0|h[%s]|h|r!"] = "Interrompeu |cff71d5ff|Hspell:%d:0|h[%s]|h|r de %s!" +L["Interrupted %s's |cff71d5ff|Hspell:%d:0|h[%s]|h|r!"] = "Interrompeu a |cff71d5ff|Hspell:%d:0|h[%s]|h|r de %s!" L["Invalid Target"] = "Alvo inválido" -L["is looking for members"] = true +L["is looking for members"] = "está procurando membros" L["It appears one of your AddOns have disabled the AddOn Blizzard_CompactRaidFrames. This can cause errors and other issues. The AddOn will now be re-enabled."] = "Parece que um dos seus AddOns desabilitou o Addon Blizzard_CompactRaidFrames. Isto pode causar erros e outros problemas. O AddOn será agora reabilitado" -L["Item level: %.2f"] = true -L["Item Level:"] = true +L["Item level: %.2f"] = "Nível do Item: %.2f" +L["Item Level:"] = "Nível de Item:" L["joined a group"] = "entrou em um grupo" L["Key"] = "Tecla" L["KEY_ALT"] = "A" @@ -203,41 +203,41 @@ L["Layout Set"] = "Definições do Layout" L["Layout"] = "Layout" L["Left Chat"] = "Bate-papo esquerdo" L["Left Click:"] = "Clique Esquerdo:" -L["Level %d"] = true +L["Level %d"] = "Nível %d" L["Level"] = "Nível" L["List of installations in queue:"] = "Lista de instalações na fila:" -L["Loadouts"] = true -L["Location"] = true +L["Loadouts"] = "Configuração de Especialização" +L["Location"] = "Localização" L["Lock"] = "Travar" L["LOGIN_MSG"] = ("Bem-vindo ao *ElvUI|r versão *%s|r, digite */ec|r para acessar as configurações dentro do jogo. Se você precisa de suporte técnico nos contate em https://tukui.org ou se entre no Discord: https://discord.tukui.org"):gsub('*', E.InfoColor) L["LOGIN_MSG_HELP"] = ("Por favor use */ehelp|r para ver a lista de comandos do *ElvUI|r."):gsub('*', E.InfoColor) -L["LOGIN_PTR"] = ("|cffff3333You are currently not running the PTR version of *ElvUI|r which may cause issues.|r ^Please download the PTR version from the following link.|r %s"):gsub('*', E.InfoColor):gsub('%^', E.InfoColor2) +L["LOGIN_PTR"] = ("|cffff3333Atualmente você não está utilizando uma versão de PTR do *ElvUI|r o que pode causar problemas.|r ^Por favor baixe a versão de PTR no link a seguir.|r %s"):gsub('*', E.InfoColor):gsub('%^', E.InfoColor2) L["Loot / Alert Frames"] = "Quadro de Saque / Alerta" L["Loot Frame"] = "Quadro de Saque" L["Lord! It's a miracle! The download up and vanished like a fart in the wind! Try Again!"] = "Senhor! É um milagre! O Download sumiu como um peido no vento! Tente novamente!" L["Loss Control Icon"] = "Ícone de Perda de Controle" -L["lvl"] = "nível" +L["lvl"] = "nvl" L["MA Frames"] = "Quadro do Assistente Principal" -L["Max Level"] = true +L["Max Level"] = "Nível Máximo" L["Micro Bar"] = "Micro Barra" -L["Minimap Cluster"] = true +L["Minimap Cluster"] = "Aglomeramento do Minimapa" L["Minimap"] = "Minimapa" -L["MirrorTimer"] = true +L["MirrorTimer"] = "Barra de Tempo" L["Mission(s) Report:"] = "Relatório de Missões:" L["Mitigation By Level: "] = "Mitigação por nível" -L["Mobile"] = true -L["Mov. Speed"] = true +L["Mobile"] = "Móvel" +L["Mov. Speed"] = "Velocidade de Movimento" L["MT Frames"] = "Quadro do Tank Principal" -L["Mythic+ Best Run:"] = true -L["Mythic+ Score:"] = true +L["Mythic+ Best Run:"] = "Melhor corrida de Nível Mítico" +L["Mythic+ Score:"] = "Pontuação de Nível Mítico" L["Naval Mission(s) Report:"] = "Relatório das Missões Navais:" -L["Need help? Join our Discord: https://discord.tukui.org"] = true -L["New Profile will create a fresh profile for this character."] = true -L["New Profile"] = true +L["Need help? Join our Discord: https://discord.tukui.org"] = "Precisa de ajuda? Junte-se ao nosso Discord: https://discord.tukui.org" +L["New Profile will create a fresh profile for this character."] = "Novo Perfil irá criar um perfil limpo para este personagem." +L["New Profile"] = "Novo Perfil" L["No bindings set."] = "Sem atalhos definidos" L["No gray items to delete."] = "Nenhum item cinzento para destruir." L["No Guild"] = "Sem Guilda" -L["No Loot"] = true +L["No Loot"] = "Sem Saque" L["None"] = "Nenhum" L["Nudge"] = "Ajuste fino" L["O"] = "O" @@ -246,174 +246,174 @@ L["Offline"] = "Desconectado" L["Oh lord, you have got ElvUI and Tukui both enabled at the same time. Select an addon to disable."] = "Oh senhor, você está com os addons ElvUI e Tuki ativos ao mesmo tempo. Selecione um para desativar." L["One or more of the changes you have made require a ReloadUI."] = "Uma ou mais das alterações que fez requerem que recarregue a IU." L["One or more of the changes you have made will effect all characters using this addon. You will have to reload the user interface to see the changes you have made."] = "Uma ou mais das alterações que fez afetará todos os personagens que usam este addon. Você terá que recarregar a interface para ver as alterações que fez." -L["Output Audio Device"] = true +L["Output Audio Device"] = "Dispositivo de Saída de Aúdio" L["P"] = "P" -L["Paragon"] = true +L["Paragon"] = "Paragão" L["Party Frames"] = "Quadros de Grupo" L["Pending"] = "Pendente" -L["Pet Aura Bars"] = true -L["Pet Bar"] = "Barra do Pet" -L["Pet Castbar"] = "Barra de cast do Pet" -L["Pet Experience Bar"] = true -L["Pet Experience"] = true -L["Pet Frame"] = "Quadro do Pet" -L["PetTarget Frame"] = "Quadro de Alvo do Pet" +L["Pet Aura Bars"] = "Barras de Aura do Mascote" +L["Pet Bar"] = "Barra do Mascote" +L["Pet Castbar"] = "Barra de lançamento do Mascote" +L["Pet Experience Bar"] = "Barra de Experiência do Mascote" +L["Pet Experience"] = "Experiência do Mascote" +L["Pet Frame"] = "Quadro do Mascote" +L["PetTarget Frame"] = "Quadro de Alvo do Mascote" L["PL"] = "PL" -L["Player Aura Bars"] = true -L["Player Buffs"] = "Buffs do Jogador" -L["Player Castbar"] = "Barra de cast do Jogador" -L["Player Debuffs"] = "Debuffs do Jogador" +L["Player Aura Bars"] = "Barras de Aura do Jogador" +L["Player Buffs"] = "Bônus do Jogador" +L["Player Castbar"] = "Barra de lançamento do Jogador" +L["Player Debuffs"] = "Penalidades do Jogador" L["Player Frame"] = "Quadro do Jogador" L["Player NamePlate"] = "Placa de Identificação do Jogador" L["Please click the button below so you can setup variables and ReloadUI."] = "Por favor, clique no botão abaixo para que possa configurar as variáveis e Recarregar a IU." -L["Please click the button below to setup your CVars."] = "Por favor, clique no botão abaixo para configurar as suas Cvars." -L["Please click the button below to setup your Profile Settings."] = true +L["Please click the button below to setup your CVars."] = "Por favor, clique no botão abaixo para configurar as suas CVars." +L["Please click the button below to setup your Profile Settings."] = "Por favor, clique no botão abaixo para configurar seu Perfil." L["Please press the continue button to go onto the next step."] = "Por favor, pressione o botão Continuar para passar à próxima etapa." -L["PowerBarWidget"] = true -L["Profile download complete from %s, but the profile %s already exists. Change the name or else it will overwrite the existing profile."] = "Baixa de perfil completada de %s, mas o perfil %s já existe. Altere o nome ou ele irá sobrescrever o perfil existente." -L["Profile download complete from %s, would you like to load the profile %s now?"] = "Baixa de perfil completada de %s, gostaria de carregar o perfil %s agora?" +L["PowerBarWidget"] = "Widget de Poder" +L["Profile download complete from %s, but the profile %s already exists. Change the name or else it will overwrite the existing profile."] = "Download do perfil de %s completado, mas o perfil %s já existe. Altere o nome ou ele irá sobrescrever o perfil existente." +L["Profile download complete from %s, would you like to load the profile %s now?"] = "Download do perfil de %s completado, gostaria de carregar o perfil %s agora?" L["Profile request sent. Waiting for response from player."] = "Pedido de perfil enviado. Aguardando a resposta do jogador." -L["Profile Settings Setup"] = true +L["Profile Settings Setup"] = "Configuração de Perfil" L["Profit:"] = "Lucro:" L["Purchase Bags"] = "Comprar Bolsas" L["Purchase"] = "Comprar" -L["Quest Log XP:"] = true -L["Quest Log"] = true -L["Quest Objective Frame"] = true -L["Quest Timer Frame"] = true +L["Quest Log XP:"] = "Experiência do Registro de Missões:" +L["Quest Log"] = "Registro de Missões" +L["Quest Objective Frame"] = "Quadro de Missões" +L["Quest Timer Frame"] = "Quadro de Tempo de Missão" L["R"] = "R" -L["Raid %d Frames"] = true +L["Raid %d Frames"] = "Quadros de Raíde %d" L["Raid Menu"] = "Menu de Raide" -L["Raid Pet Frames"] = true +L["Raid Pet Frames"] = "Quadros de Mascote de Raíde" L["Rare Elite"] = "Elite Raro" -L["Rare"] = true +L["Rare"] = "Raro" L["Reagent Bank"] = "Banco de Reagentes" L["Remaining:"] = "Restante:" L["Remove Bar %d Action Page"] = "Remover paginação de ação da barra %d." L["Reputation Bar"] = "Barra de Reputação" L["Request was denied by user."] = "Pedido negado pelo usuário." -L["Reset Character Data: Hold Shift + Right Click"] = true +L["Reset Character Data: Hold Shift + Right Click"] = "Resetar dados de Personagem: Segure Shift + Clique Direito" L["Reset Position"] = "Redefinir Posição" -L["Reset Session Data: Hold Ctrl + Right Click"] = true +L["Reset Session Data: Hold Ctrl + Right Click"] = "Resetar Dados da Seção: Segure Ctrl + Clique Direito" L["Rested:"] = "Descansado:" L["Right Chat"] = "Bate-papo direito" -L["Right Click to Open Menu"] = true +L["Right Click to Open Menu"] = "Clique Direito para Abrir o Menu" L["RL"] = "RL" L["RW"] = "AR" L["Save"] = "Salvar" L["Saved Dungeon(s)"] = "Masmorra(s) salva(s)" L["Saved Raid(s)"] = "Raide(s) Salva(s)" L["says"] = "diz" -L["Select the type of aura system you want to use with ElvUI's unitframes. Set to Aura Bars to use both aura bars and icons, set to Icons Only to only see icons."] = "Selecione o tipo de sistema de auras para se usar com os quadros de unidade do ElvUI. Selecione Aura Bar % Ícones para usar os dois ou Ícones para ver apenas os ícones." -L["Select Volume Stream"] = true +L["Select the type of aura system you want to use with ElvUI's unitframes. Set to Aura Bars to use both aura bars and icons, set to Icons Only to only see icons."] = "Selecione o tipo de auras que você quer usar com os quadros de unidade do ElvUI. Selecione Barra de Aura % Ícones para usar os dois ou Ícones para ver apenas os ícones." +L["Select Volume Stream"] = "Selecione o Volume do Canal" L["Server: "] = "Servidor: " L["Session:"] = "Sessão:" L["Setup Chat"] = "Configurar Bate-papo" L["Setup CVars"] = "Configurar CVars" -L["Shared Profile will select the default profile."] = true -L["Shared Profile"] = true -L["Shift + Left Click to Toggle Bag"] = true +L["Shared Profile will select the default profile."] = "Perfil Compartilhado irá selecionar o perfil padrão." +L["Shared Profile"] = "Perfil Compartilhado" +L["Shift + Left Click to Toggle Bag"] = "Shift + Clique Esquerdo para Alternar Bolsas" L["Show/Hide Reagents"] = "Mostrar/Esconder Reagentes" L["Shows a frame with needed info for support."] = "Mostra o quadro com informações necessárias para suporte." L["silverabbrev"] = "|cffc7c7cfs|r" -L["Sort Bags"] = true +L["Sort Bags"] = "Classificar Bolsas" L["SP"] = "PM" L["Spec"] = "Especialização" -L["Spell Haste"] = true -L["Spell Hit"] = true -L["Spell Power"] = true +L["Spell Haste"] = "Aceleração de Magia" +L["Spell Hit"] = "Acerto de Magia" +L["Spell Power"] = "Poder de Magia" L["Spent:"] = "Gasto:" -L["Stack Items In Bags"] = true -L["Stack Items In Bank"] = true -L["Stack Items To Bags"] = true -L["Stack Items To Bank"] = true +L["Stack Items In Bags"] = "Empilhar Itens nas Bolsas" +L["Stack Items In Bank"] = "Empilhar Itens nos Bancos" +L["Stack Items To Bags"] = "Empilhar Itens para as Bolsas" +L["Stack Items To Bank"] = "Empilhar Itens para os Bolsas" L["Stance Bar"] = "Barra de Postura" L["Steps"] = "Passos" L["Sticky Frames"] = "Quadros Pegadiços" L["System"] = "Sistema" L["Talent/Loot Specialization"] = "Especialização em Talentos/Saque" -L["Target Aura Bars"] = true +L["Target Aura Bars"] = "Barras de Aura do Alvo" L["Target Castbar"] = "Barra de lançamento do Alvo" L["Target Frame"] = "Quadro do Alvo" -L["Target Mitigation"] = true +L["Target Mitigation"] = "Mitigação do Alvo" L["Targeted By:"] = "Sendo Alvo de:" L["TargetTarget Frame"] = "Quadro do Alvo do Alvo" L["TargetTargetTarget Frame"] = "Quadro do Alvo do Alvo do Alvo" L["Temporary Move"] = "Mover Temporariamente" L["The chat windows function the same as Blizzard standard chat windows, you can right click the tabs and drag them around, rename, etc. Please click the button below to setup your chat windows."] = "As janelas de bate-papo funcionam da mesma forma das da Blizzard, você pode usar o botão direito nas guias para os arrastar, mudar o nome, etc. Por favor clique no botão abaixo para configurar as suas janelas de bate-papo" -L["The in-game configuration menu can be accessed by typing the /ec command. Press the button below if you wish to skip the installation process."] = true +L["The in-game configuration menu can be accessed by typing the /ec command. Press the button below if you wish to skip the installation process."] = "O menu de configuração pode ser acessado digitando o comando /ec. Pressione o botão abaixo se você deseja pular o processo de instalação." L["The profile you tried to import already exists. Choose a new name or accept to overwrite the existing profile."] = "O perfil que você tentou importar já existe. Escolha um novo nome ou aceite sobrescrever o perfil existente." -L["The spell '%s' has been added to the '%s' unitframe aura filter."] = "O feitiço \"%s\" foi adicionado à Lista Negra dos filtros das auras de unidades." +L["The spell '%s' has been added to the '%s' unitframe aura filter."] = "O feitiço '%s' foi adicionado ao filtro '%s' das auras de unidades." L["Theme Set"] = "Tema configurado" L["Theme Setup"] = "Configuração do Tema" L["This install process will help you learn some of the features in ElvUI has to offer and also prepare your user interface for usage."] = "Este processo de instalação vai mostrar-lhe algumas das opções que o ElvUI tem para oferecer e também vai preparar a sua interface para ser usada." L["This part of the installation process sets up your chat windows names, positions and colors."] = "Esta parte da instalação é para definir os nomes, posições e cores das suas janelas de bate-papo." L["This part of the installation process sets up your World of Warcraft default options it is recommended you should do this step for everything to behave properly."] = "Esta parte da instalação serve para definir as suas opcões padrão do WoW, é recomendado fazer isto para que tudo funcione corretamente." L["This setting caused a conflicting anchor point, where '%s' would be attached to itself. Please check your anchor points. Setting '%s' to be attached to '%s'."] = "Essa configuração causou um conflito com o ponto de fixação, onde '%s' iria ser anexado com ele mesmo. Por favor cheque seus pontos de fixações. Configuração '%s' a ser anexada a '%s'." -L["This will change the layout of your unitframes and actionbars."] = "Isso irá mudar o leiaute dos seus Quadro de Unidades e Barras de Ações" -L["Threat Bar"] = true -L["Time Alert Frame"] = true -L["To list all available ElvUI commands, type in chat /ehelp"] = true -L["To quickly move around certain elements of the UI, type /emove"] = true -L["To setup chat colors, chat channels and chat font size, right-click the chat tab name."] = true +L["This will change the layout of your unitframes and actionbars."] = "Isso irá mudar a disposição dos seus Quadros de Unidades e Barras de Ações" +L["Threat Bar"] = "Barra de Ameaça" +L["Time Alert Frame"] = "Quadro de Alerta de Tempo" +L["To list all available ElvUI commands, type in chat /ehelp"] = "Para listar todos os comandos do ElvUI, digite /ehelp no chat" +L["To quickly move around certain elements of the UI, type /emove"] = "Para mover certos elementos da IU rapidamente, digite /emove" +L["To setup chat colors, chat channels and chat font size, right-click the chat tab name."] = "Para configurar cores, canais e tamanho de fonte do bate-papo, clique com o botão direito no nome da aba do bate-papo." L["Toggle Bags"] = "Mostrar/Ocultar Bolsas" -L["Toggle Chat Frame"] = "Mostrar/Ocultar Bat-papo" +L["Toggle Chat Frame"] = "Mostrar/Ocultar Bate-papo" L["Toggle Configuration"] = "Mostrar/Ocultar Modo de Configuração" -L["Toggle Volume Stream"] = true -L["Tooltip"] = "Tooltip" -L["TopCenterWidget"] = true -L["Torghast Choice Toggle"] = true +L["Toggle Volume Stream"] = "Mostrar/Ocultar Volume do Canal" +L["Tooltip"] = "Dica" +L["TopCenterWidget"] = "Widget Central" +L["Torghast Choice Toggle"] = "Mostrar" L["Total CPU:"] = "CPU Total:" L["Total: "] = "Total: " -L["Totem Bar"] = true -L["Totem Tracker"] = true +L["Totem Bar"] = "Barra de Totem" +L["Totem Tracker"] = "Rastreador de Totem" L["Trigger"] = "Gatilho" -L["UI Scale"] = true +L["UI Scale"] = "Escala de IU" L["Unhittable:"] = "Inacertável" L["Vehicle Seat Frame"] = "Quadro de Assento de Veículo" -L["VehicleLeaveButton"] = true +L["VehicleLeaveButton"] = "Botão de Saída de Veículo" L["Vendor / Delete Grays"] = "Vendedor / Deletar Cinzentos" L["Vendor Grays"] = "Vender Itens Cinzentos" L["Vendored gray items for: %s"] = "Vendeu os itens cinzentos por: %s" L["Vendoring Grays"] = "Vender Cinzentos" -L["Voice Overlay"] = true -L["Volume Streams"] = true +L["Voice Overlay"] = "Sobreposição de Voz" +L["Volume Streams"] = "Volume de Canais" L["Volume"] = true L["Welcome to ElvUI version %.2f!"] = "Bem-vindo à versão %.2f do ElvUI!" L["whispers"] = "sussurra" L["World Latency:"] = "Latência do Mundo:" L["World Protocol:"] = "Procoloco do Mundo:" -L["WoW Token:"] = true +L["WoW Token:"] = "Ficha do WoW" L["XP:"] = "XP:" L["yells"] = "grita" -L["You are now finished with the installation process. If you are in need of technical support please join our Discord."] = true -L["You are using CPU Profiling. This causes decreased performance. Do you want to disable it or continue?"] = "Você está usando o modo CPU Profiling. Isto pode causar queda na perfomance. Deseja desabilitá-lo ou continuar?" -L["You can access the copy chat and chat menu functions by left/right clicking on the icon in the top right corner of the chat panel."] = true -L["You can access the microbar by using middle mouse button on the minimap. You can also enable the MicroBar in the actionbar settings."] = true -L["You can always change fonts and colors of any element of ElvUI from the in-game configuration."] = "As cores e fontes do ElvUI podem ser mudadas em qualquer momento no modo de configuração demtro do jogo." -L["You can enter the keybind mode by typing /kb"] = true -L["You can now choose what layout you wish to use based on your combat role."] = "Pode agora escolher o layout que pretende usar baseado no seu papel." -L["You can quickly change your displayed DataTexts by mousing over them while holding ALT."] = true -L["You can see someones average item level inside the tooltip by holding shift and mousing over them."] = true +L["You are now finished with the installation process. If you are in need of technical support please join our Discord."] = "Você terminou com o processo de instalação. Se você precisa de ajuda técnica por favor junte-se ao nosso Discord." +L["You are using CPU Profiling. This causes decreased performance. Do you want to disable it or continue?"] = "Você está usando o modo de Medição de Desempenho da CPU. Isto pode causar queda na perfomance. Deseja desabilitá-lo ou continuar?" +L["You can access the copy chat and chat menu functions by left/right clicking on the icon in the top right corner of the chat panel."] = "Você pode acessar funcções de cópia do bate-papo e menu quando você cliqua com o botão direito/esquerdo no ícone no canto superior direito do paínel de bate-papo" +L["You can access the microbar by using middle mouse button on the minimap. You can also enable the MicroBar in the actionbar settings."] = "Você pode acessar a microbarra utilizando o botão do meio do mouse no minimapa. Você também pode habilitar a MicroBarra nas configurações de barras de ação" +L["You can always change fonts and colors of any element of ElvUI from the in-game configuration."] = "Você sempre pode mudar as fontes e cores de quaisquer elementos do ElvUI através do painel de configuração." +L["You can enter the keybind mode by typing /kb"] = "Você sempre pode entrar no modo de vínculo de teclas digitando /kb" +L["You can now choose what layout you wish to use based on your combat role."] = "Pode agora escolher o layout que pretende usar baseado no seu papel no grupo." +L["You can quickly change your displayed DataTexts by mousing over them while holding ALT."] = "Você pode mudar rapidamente os Textos Informativos quando você passa o mouse por cima deles enquanto segura ALT." +L["You can see someones average item level inside the tooltip by holding shift and mousing over them."] = "Você pode ver o nível de item médio de alguém dentro da Dica se você segurar shift e passar o mouse por cima deles" L["You don't have enough money to repair."] = "Você não tem dinheiro suficiente para reparar." L["You don't have permission to mark targets."] = "Você não tem permissão para marcar alvos." L["You have imported settings which may require a UI reload to take effect. Reload now?"] = "Você importou configurações que podem requerer um reload na sua interface para surgir efeito. Dar reload agora?" -L["You must be at a vendor."] = "Tem de estar num vendedor." +L["You must be at a vendor."] = "Você tem que estar num vendedor." L["You must purchase a bank slot first!"] = "Você deve comprar um espaço no banco primeiro!" L["Your items have been repaired for: "] = "Seus itens foram reparadas por: " L["Your items have been repaired using guild bank funds for: "] = "Seus itens foram reparados usando fundos do banco da guilda por: " L["Your profile was successfully recieved by the player."] = "Seu perfil foi recebido com sucesso pelo jogador." L["Zone Ability"] = "Habilidade da Zona" -L["|cFFE30000Lua error recieved. You can view the error message when you exit combat."] = "|cFFE30000Erro Lua recebido. Você pode ver a mensagem de erro quando sair de combate." -L["|cffFFFFFFControl + Left Click:|r Change Loadout"] = true +L["|cFFE30000Lua error recieved. You can view the error message when you exit combat."] = "|cFFE30000Erro de Lua recebido. Você pode ver a mensagem de erro quando sair de combate." +L["|cffFFFFFFControl + Left Click:|r Change Loadout"] = "|cffFFFFFFControl + Clique Esquerdo:|r Mudar Configuração de Especialização" L["|cffFFFFFFLeft Click:|r Change Talent Specialization"] = "|cffFFFFFFClique Esquerdo:|r Alterar Especialização de Talento" -L["|cFFffffffLeft Click:|r Select Volume Stream"] = true -L["|cFFffffffMiddle Click:|r Toggle Mute Master Stream"] = true +L["|cFFffffffLeft Click:|r Select Volume Stream"] = "|cFFffffffClique Esquerdo:|r Selecionar Volume de Canal" +L["|cFFffffffMiddle Click:|r Toggle Mute Master Stream"] = "|cFFffffffClique do Meio:|r Alternar o Mute do Canal Principal" L["|cffFFFFFFRight Click:|r Change Loot Specialization"] = "|cffFFFFFFClique Direito:|r Alterar a Especialização de Saque" -L["|cFFffffffRight Click:|r Toggle Volume Stream"] = true -L["|cFFffffffShift + Left Click:|r Open System Audio Panel"] = true +L["|cFFffffffRight Click:|r Toggle Volume Stream"] = "|cFFffffffClique Direito:|r Alternar Volume do Canal" +L["|cFFffffffShift + Left Click:|r Open System Audio Panel"] = "|cFFffffffShift + Clique Esquerdo|r Abrir Painel de Aúdio do Sistema" L["|cffFFFFFFShift + Left Click:|r Show Talent Specialization UI"] = "|cffFFFFFFShift + Clique Esquerdo:|r Mostrar interface de especialização de talentos" -L["|cFFffffffShift + Right Click:|r Select Output Audio Device"] = true +L["|cFFffffffShift + Right Click:|r Select Output Audio Device"] = "|cFFffffffShift + Clique Direito:|r Selecionar o Dispositivo de Saída de Aúdio" ---------------------------------- L["DESC_MOVERCONFIG"] = [=[Movedores destravados. Mova-os agora e clique Travar quando acabar. diff --git a/ElvUI_Options/Locales/ptBR.lua b/ElvUI_Options/Locales/ptBR.lua index 8e6d2778a3..f9103f5a96 100644 --- a/ElvUI_Options/Locales/ptBR.lua +++ b/ElvUI_Options/Locales/ptBR.lua @@ -7,46 +7,46 @@ L["SHIFT"] = true L["NONE"] = true L["GROUP"] = true -L["BOTTOM"] = true -L["BOTTOMLEFT"] = true -L["BOTTOMRIGHT"] = true -L["TOPLEFT"] = true -L["TOPRIGHT"] = true -L["LEFT"] = true -L["RIGHT"] = true -L["TOP"] = true +L["BOTTOM"] = "Abaixo" +L["BOTTOMLEFT"] = "Canto Inferior Esquerdo" +L["BOTTOMRIGHT"] = "Canto Inferior Direito" +L["TOPLEFT"] = "Canto Superior Esquerdo" +L["TOPRIGHT"] = "Canto Superior Direito" +L["LEFT"] = "Esquerda" +L["RIGHT"] = "Direita" +L["TOP"] = "Acima" -L["Primary Unit"] = true -L["Requires the unit to be the primary target to display."] = true -L["Pet Specific"] = true -L["Use the profile specific filter Aura Indicator (Pet) instead of the global filter Aura Indicator."] = true +L["Primary Unit"] = "Unidade Primária" +L["Requires the unit to be the primary target to display."] = "Requer que a unidade seja o alvo primario para ser exibido." +L["Pet Specific"] = "Especifico para Mascote" +L["Use the profile specific filter Aura Indicator (Pet) instead of the global filter Aura Indicator."] = "Use o filtro especifico de perfil Aura Indicator (Pet) ao invés do filtro global Aura Indicator." L["%s and then %s"] = "%s e depois %s" L["24-Hour Time"] = "24 horas" L["2D"] = "2D" L["3D"] = "3D" -L["Abbreviate Name"] = true -L["Above Chat (Inside)"] = true +L["Abbreviate Name"] = "Abreviar Nome" +L["Above Chat (Inside)"] = "Acima do Bate-papo (Dentro)" L["Above Chat"] = "Acima do Bate-papo" L["Above"] = "Acima" -L["Absorb Style"] = true +L["Absorb Style"] = "Estilo de Absorção" L["Absorbs"] = "Absorções" L["Accept Invites"] = "Aceitar Convites" L["ACHIEVEMENTS"] = "Conquistas" -L["Action Button Glow"] = true +L["Action Button Glow"] = "Brilho do Botão de Ação" L["Action Paging"] = "Paginação da Barra de Ação" L["ActionBars"] = "Barras de Ações" L["Actions"] = "Ações" L["Add / Remove"] = "Adicionar / Remover" -L["Add a Item Name or ID to the list."] = true +L["Add a Item Name or ID to the list."] = "Adicionar o Nome do Item ou ID para a lista." L["Add a Name or NPC ID to the list."] = "Adicionar um Nome ou ID do NPC para a lista." L["Add a spell to the filter."] = "Adicionar um feitiço ao filtro." -L["Add an Item by dragging it, shift-clicking, or entering the Item ID onto this field."] = true +L["Add an Item by dragging it, shift-clicking, or entering the Item ID onto this field."] = "Adicione um Item arrastando-o, shift+clique esquerdo, ou digitando o ID de Item neste campo." L["Add Currency by ID"] = "Adicionar ID de Moeda" -L["Add Currency"] = true +L["Add Currency"] = "Adicionar Moeda" L["Add Current"] = "Adicionar Atual" L["Add Instance ID"] = "Adicionar ID da Instância" -L["Add Item Name or ID"] = true -L["Add Item"] = true +L["Add Item Name or ID"] = "Adicionar Nome de Item ou ID" +L["Add Item"] = "Adicionar Item" L["Add Map ID"] = "Adicionar ID do Mapa" L["Add Name or NPC ID"] = "Adicionar Nome ou ID do NPC" L["Add Regular Filter"] = "Adicionar Filtro Comum" @@ -54,51 +54,51 @@ L["Add Special Filter"] = "Adicionar Filtro Especial" L["Add Spell ID or Name"] = "Adicionar ID do Feitiço ou Nome" L["Add SpellID"] = "Adicionar ID do Feitiço" L["Add Subzone Name"] = "Adicionar Nome de Subzona" -L["Add Texture"] = true +L["Add Texture"] = "Adicionar Textura" L["Add Zone Name"] = "Adicionar Nome de Zona" -L["Add"] = true +L["Add"] = "Adicionar" L["Added Instance ID: %s"] = "Adicionado ID da Instância: %s" L["Added Map ID: %s"] = "Adicionado ID do Mapa: %s" L["Added Subzone Name: %s"] = "Adicionado ID da Subzona: %s" L["Added Zone Name: %s"] = "Adicionado ID da Zona: %s" L["Additional Power Prediction Color"] = "Cor da Predição de Poder" -L["Additional Power"] = true +L["Additional Power"] = "Poder Adicional" L["Additional spacing between each individual group."] = "Espaço adicional entre cada grupo individual" -L["Additive Blend"] = true +L["Additive Blend"] = "Mistura Aditiva" L["AddOn Manager"] = "Gerenciador de AddOn" L["Adds an arrow infront of the chat lines to copy the entire line."] = "Adiciona uma seta à frente as linhas do bate-papo para copiar a linha inteira." -L["Adjust the height of your left chat panel."] = true +L["Adjust the height of your left chat panel."] = "Ajuste a altura do seu painel esquerdo de bate-papo." L["Adjust the height of your right chat panel."] = "Ajuste a altura do seu painel direito de bate-papo." -L["Adjust the scale of the minimap and also the pins. Eg: Quests, Resource nodes, Group members"] = true +L["Adjust the scale of the minimap and also the pins. Eg: Quests, Resource nodes, Group members"] = "Ajuste a escala do minimapa e também os pinos. Ex: Missões, Nódulos de Recuros, Membros do Grupo" L["Adjust the size of the minimap."] = "Ajustar o tamanho do minimapa." L["Adjust the width of the bag frame."] = "Ajusta a largura do quadro das bolsas." L["Adjust the width of the bank frame."] = "Ajusta a largura do quadro do banco." -L["Adjust the width of your left chat panel."] = true +L["Adjust the width of your left chat panel."] = "Ajuste a largura do seu painel esquerdo de bate-papo." L["Adjust the width of your right chat panel."] = "Ajuste a largura do seu painel direito de bate-papo." L["ADVENTURE_MAP_TITLE"] = "Mapa de Patrulha" L["Alert Frames"] = "Alertas" L["Alerts"] = "Alertas" -L["Alive"] = true -L["Alliance"] = true +L["Alive"] = "Vivo" +L["Alliance"] = "Aliança" L["Allied Races"] = "Raças Aliadas" L["Allow Masque to handle the skinning of this element."] = "Permitir o Masque gerenciar as skins deste elemento." L["Allow newly learned spells to be automatically placed on an empty actionbar slot."] = "Permitir novos feitiços serem adicionados automaticamentes em uma Barra de Ações com slot vazio" -L["Allow Sharing"] = true +L["Allow Sharing"] = "Permitir Compartilhamento" L["Allows you to tie a stack count to an aura when you add it to the list, which allows the trigger to act when an aura reaches X number of stacks."] = "Permite você vincular uma contagem de stacks com uma aura quando você a adiciona para uma lista, no qual permite o gatilho agir quando uma aura chegar a um número X de stacks." -L["Alpha channel is taken from the color option."] = true -L["Alpha Fading"] = true -L["Alpha Key"] = true +L["Alpha channel is taken from the color option."] = "Canal de Transparência é obtido da opção de cor." +L["Alpha Fading"] = "Desvanecimento de Transparência" +L["Alpha Key"] = "Chave de Transparência" L["Alpha"] = "Transparência" L["ALT_KEY_TEXT"] = "ALT" L["Always Display"] = "Exibir sempre" L["Always Show Player"] = "Sempre Mostrar Jogador" L["Always Show Realm"] = "Sempre Mostrar Reino" L["Anchor Point"] = "Ponto de Fixação" -L["Anchor"] = true -L["Anima Diversion"] = true +L["Anchor"] = "Âncora" +L["Anima Diversion"] = "Desvio de Anima" L["Announce Interrupts"] = "Anunciar Interrupções" L["Announce when you interrupt a spell to the specified chat channel."] = "Anunciar quando interromper um feitiço para o canal de bate-papo especificado." -L["Another Players Pet"] = true +L["Another Players Pet"] = "Mascote de Outros Jogadores" L["Any"] = "Qualquer" L["Applies the font and font size settings throughout the entire user interface. Note: Some font size settings will be skipped due to them having a smaller font size by default."] = "Aplica as configurações de fonte e tamanho de fonte para toda a interface do usuário. Nota: Algumas configurações de fontes serão puladas por terem uma fonte menor por padrão." L["Apply Font To All"] = "Aplicar Fonte para Todos" @@ -106,7 +106,7 @@ L["Apply this filter if a buff has remaining time greater than this. Set to zero L["Apply this filter if a buff has remaining time less than this. Set to zero to disable."] = "Aplicar este Filtro caso um buff tenha um tempo restante menor do que isto. Coloque zero para desabilitar" L["Apply this filter if a debuff has remaining time greater than this. Set to zero to disable."] = "Aplicar este Filtro caso um debuff tenha um tempo restante maior do que isto. Coloque zero para desabilitar" L["Apply this filter if a debuff has remaining time less than this. Set to zero to disable."] = "Aplicar este Filtro caso um debuff tenha um tempo restante menor do que isto. Coloque zero para desabilitar" -L["Apply To All"] = true +L["Apply To All"] = "Aplicar a Todos" L["Archaeology Frame"] = "Arqueologia" L["Are you sure you want to reset ActionBars settings?"] = "Tem certeza que deseja resetar as configurações das Barra de Ações?" L["Are you sure you want to reset Auras settings?"] = "Tem certeza que deseja resetar as configurações das Auras?" @@ -119,32 +119,32 @@ L["Are you sure you want to reset General settings?"] = "Tem certeza que deseja L["Are you sure you want to reset NamePlates settings?"] = "Tem certeza que deseja resetar as configurações das Placas de Informação?" L["Are you sure you want to reset Tooltip settings?"] = "Tem certeza que deseja resetar as configurações do Tooltip?" L["Are you sure you want to reset UnitFrames settings?"] = "Tem certeza que deseja resetar as configurações dos Quadros Informativos?" -L["Arena Registrar"] = true -L["Arrow Scale"] = true -L["Arrow Spacing"] = true -L["Arrow Texture"] = true +L["Arena Registrar"] = "Registrador de Arena" +L["Arrow Scale"] = "Escala da Flecha" +L["Arrow Spacing"] = "Espaçamento da Flecha" +L["Arrow Texture"] = "Textura da Flecha" L["Ascending or Descending order."] = "Ordem crescente ou decrescente." L["Ascending"] = "Ascendente" -L["Assigned Icon"] = true -L["Assist Frames"] = true +L["Assigned Icon"] = "Ícone Atribuido" +L["Assist Frames"] = "Quadros de Assistentes" L["Assist"] = "Assistente" L["At what point should the text be displayed. Set to -1 to disable."] = "Em qual ponto o texto deve ser mostrado. Defina como -1 para desabilitar." L["Attach Text To"] = "Anexar Texto ao" L["Attach To"] = "Anexar ao" L["Attempt to create URL links inside the chat."] = "Tentar criar links URL dentro do bate-papo." L["Attempt to support eyefinity/nvidia surround."] = "Tentar suportar surround do eyefinity/nvidia" -L["Attempts to center UI elements in a 16:9 format for ultrawide monitors"] = true -L["Auction House"] = true +L["Attempts to center UI elements in a 16:9 format for ultrawide monitors"] = "Tenta centralizar elementos da IA em um formato 16:9 para monitores ultrawide" +L["Auction House"] = "Casa de Leilões" L["AUCTIONS"] = "Leilões" L["Aura Filters"] = "Filtro de Auras" -L["Aura Highlight"] = true -L["Aura Indicator"] = true +L["Aura Highlight"] = "Destaque de Aura" +L["Aura Indicator"] = "Indicador de Aura" L["Auto Add New Spells"] = "Auto-adicionar novos feitiços" L["Auto Hide"] = "Auto-esconder" L["Auto Repair"] = "Reparar automaticamente" -L["Auto Self Cast"] = true -L["Auto Toggle"] = true -L["Auto Track Reputation"] = true +L["Auto Self Cast"] = "Autolançar em si" +L["Auto Toggle"] = "Auto Ativar/Desativar" +L["Auto Track Reputation"] = "Auto Rastrear Reputação" L["Auto-Close Pet Battle Log"] = "Auto-fechar Log da Batalha de Pets" L["Auto-Hide"] = "Auto-Esconder" L["Automatic"] = "Automático" @@ -153,25 +153,25 @@ L["Automatically hide the objective frame during boss fights while you are runni L["Automatically hide the objective frame during boss or arena fights."] = "Automaticamente esconder o quadro de objetivo durante uma luta de boss ou arena" L["Automatically repair using the following method when visiting a merchant."] = "Reparar automaticamente usando o seguinte método ao visitar um vendedor." L["Automatically vendor gray items when visiting a vendor."] = "Vender itens cinzentos automaticamente quando visitar um vendedor" -L["Automation"] = true +L["Automation"] = "Automação" L["Available Tags"] = "Tags disponíveis" -L["Azerite Essence"] = true -L["Azerite"] = true +L["Azerite Essence"] = "Essência de Azerita" +L["Azerite"] = "Azerita" L["AZERITE_RESPEC_TITLE"] = "Reforjador de Azerita" L["Backdrop color of transparent frames"] = "Cor de fundo de Painéis transparentes" L["Backdrop Color"] = "Cor de fundo" -L["Backdrop Faded"] = true -L["Backdrop Settings"] = true +L["Backdrop Faded"] = "Fundo Desvanecido" +L["Backdrop Settings"] = "Configurações do Fundo" L["Backdrop Spacing"] = "Espaço do fundo" -L["Backdrop Transparency"] = true +L["Backdrop Transparency"] = "Transparência do Fundo" L["Backdrop"] = "Fundo" -L["Background Glow"] = "Brilho do background" -L["Backpack Only"] = true +L["Background Glow"] = "Brilho do Fundo" +L["Backpack Only"] = "Apenas a Mochila" L["Bad Color"] = "Cor ruim" L["Bad Scale"] = "Escala ruim" -L["Bad Transition Color"] = "Cor ruim de transição" -L["Bad Transition"] = true -L["Bad"] = "Mau" +L["Bad Transition Color"] = "Cor Ruim de Transição" +L["Bad Transition"] = "Transição Ruim" +L["Bad"] = "Ruim" L["Bag %d"] = "Bolsa %d" L["Bag Assignment"] = "Atribuição da Bolsa" L["Bag Spacing"] = "Espaçamentos da Bolsas" @@ -185,112 +185,111 @@ L["Bags/Bank"] = "Bolsas/Banco" L["Bank %d"] = "Banco %d" L["Bank Only"] = "Apenas Banco" L["Bar %s is used for stance or forms.\nYou will have to adjust paging to use this bar.\nAre you sure?"] = "A barra %s é usada para estâncias ou formas.\nVocê terá que ajustar a paginação para ver esta barra.\nTem certeza?" -L["Bar %s is used for stance or forms.\nYou will have to adjust paging to use this bar.\nAre you sure?"] = true L["Bar Direction"] = "Direção da Barra" -L["Bar Settings"] = true +L["Bar Settings"] = "Configurações da Barra" L["BARBERSHOP"] = "Barbearia" L["Bars will transition smoothly."] = "Barras terão transição suave." -L["Battlefield"] = true +L["Battlefield"] = "Campo de Batalha" L["BATTLEFIELDS"] = "Campos de Batalha" L["Battleground Friendly"] = "Amigável no Campo de Batalha" L["Battleground Texts"] = "Textos do Campo de Batalha" -L["Battlegrounds"] = true +L["Battlegrounds"] = "Campos de Batalha" L["Begin a new row or column after this many auras."] = "Começar uma nova coluna ou linha depois dessa quantia de auras." -L["Below Chat (Inside)"] = true +L["Below Chat (Inside)"] = "Abaixo do Bate-papo (Dentro)" L["Below Chat"] = "Abaixo do Bate-papo" L["Below"] = "Abaixo" L["BG Map"] = "Mapa do CB" -L["Bind on Equip/Use Text"] = true +L["Bind on Equip/Use Text"] = "Texto de Vincular quando Equipado/Usado" L["BINDING_HEADER_RAID_TARGET"] = "Marcadores de Alvo" L["BINDING_HEADER_VOICE_CHAT"] = "Voz" L["BLACK_MARKET_AUCTION_HOUSE"] = "Casa de Leilões do Mercado Negro" -L["Blacklist"] = "Lista negra" -L["Blank Texture"] = true -L["Blend Mode"] = true -L["Blend"] = true -L["Blizzard CVars"] = true +L["Blacklist"] = "Lista de Bloqueamento" +L["Blank Texture"] = "Textura Vazia" +L["Blend Mode"] = "Modo de Mesclagem" +L["Blend"] = "Mesclagem" +L["Blizzard CVars"] = "CVars da Blizzard" L["Blizzard Style"] = "Estilo Blizzard" L["Blizzard"] = true L["BlizzUI Improvements"] = "Melhorias do BlizzUI" L["Block Combat Click"] = "Bloquear Clique no Combate" L["Block Combat Hover"] = "Bloquear Passar Cursor no Combate" -L["Block Focus Glow"] = true +L["Block Focus Glow"] = "Bloquear Brilho do Foco" L["Block Mouseover Glow"] = "Bloquear brilho ao passar o mouse sobre" -L["Block Target Glow"] = "Bloquear brilho do alvo" +L["Block Target Glow"] = "Bloquear Brilho do Alvo" L["Blocks all click events while in combat."] = "Bloquear todos os eventos com cliques enquanto em um combate." L["Blocks datatext tooltip from showing in combat."] = "Bloquear todos os Textos Informativos na Tooltip durante um combate." L["Bonus Reward Position"] = "Posição da Recompensa Bônus" L["Border Color"] = "Cor da borda" L["Border Glow"] = "Brilho de borda" -L["Border Options"] = true +L["Border Options"] = "Opções da Borda" L["Border"] = "Borda" -L["Borders By Dispel"] = true -L["Borders By Type"] = true +L["Borders By Dispel"] = "Bordas por Dissipabilidade" +L["Borders By Type"] = "Bordas por Tipo" L["Borders"] = "Bordas" -L["Boss Mod Auras"] = true -L["Both users will need this option enabled."] = true +L["Boss Mod Auras"] = "Auras de Boss Mods" +L["Both users will need this option enabled."] = "Ambos os usários tem que ter esta opção habilitada." L["Both"] = "Ambos" L["Bottom Left"] = "Painel inferior-esquerdo" L["Bottom Panel"] = "Painel Inferior" L["Bottom Right"] = "Painel inferior-direito" L["Bottom to Top"] = "De baixo para cima" L["Bottom"] = "Inferior" -L["BUFFOPTIONS_LABEL"] = "Bônus e Debuffs" -L["Buffs on Debuffs"] = true -L["Button Flash"] = true -L["Button Height"] = true -L["Button Settings"] = true -L["Button Size"] = "Tamanho do botão" -L["Button Spacing"] = "Espaçamento do botão" -L["Button Width"] = true +L["BUFFOPTIONS_LABEL"] = "Bônus e Penalidades" +L["Buffs on Debuffs"] = "Bônus em Penalidades" +L["Button Flash"] = "Brilho do Botão" +L["Button Height"] = "Altura do Botão" +L["Button Settings"] = "Configurações do Botão" +L["Button Size"] = "Tamanho do Botão" +L["Button Spacing"] = "Espaçamento do Botão" +L["Button Width"] = "Largura do Botão" L["Buttons Per Row"] = "Botões por linha" L["Buttons"] = "Botões" L["By Type"] = "Por tipo" L["Calendar Frame"] = "Calendário" L["Camera Distance Scale"] = "Escala de distância da câmera" -L["Camera Spin"] = true -L["Camera"] = true -L["Can Attack"] = true -L["Can Not Attack"] = true -L["Cart / Flag / Orb / Assassin Bounty"] = "Cart / Bandeira / Orbe / Recompensa de Assassino" +L["Camera Spin"] = "Giro da Câmera" +L["Camera"] = "Câmera" +L["Can Attack"] = "Pode Atacar" +L["Can Not Attack"] = "Não pode Atacar" +L["Cart / Flag / Orb / Assassin Bounty"] = "Carrinho / Bandeira / Orbe / Recompensa de Assassino" L["Cast Bar"] = "Barra de Lançamento" L["Cast Time Format"] = "Formato do Tempo de Lançamento" -L["Casted by Player Only"] = true +L["Casted by Player Only"] = "Lançado apenas por Jogador" L["Casting"] = "Lançando" L["Center"] = "Centro" L["CHALLENGE_MODE"] = "Modo Desafio" L["Change settings for the display of the location text that is on the minimap."] = "Alterar as configurações de exibição do texto de localização que está no minimapa." L["Change the alpha level of the frame."] = "Mudar o nível de transparência do quadro." -L["Change the width and controls how big of an area on the screen will accept clicks to target unit."] = true -L["Changelog"] = true -L["Channel Alerts"] = true +L["Change the width and controls how big of an area on the screen will accept clicks to target unit."] = "Mudar a largura e controla o quão grande a área na tela será para aceitar cliques na unidade" +L["Changelog"] = "Mudanças" +L["Channel Alerts"] = "Alertas de Canal" L["Channel Time Format"] = "Formato de tempo ao canalizar" -L["Channel"] = true +L["Channel"] = "Canal" L["CHANNELS"] = "Canais" L["Character Frame"] = "Personagem" L["Charge Cooldown Text"] = "Texto de Recarga de Cargas" -L["Charge Draw Swipe"] = true -L["Charged Combo Point"] = true -L["Charging Rune Color"] = true +L["Charge Draw Swipe"] = "Desenho de Deslize de Recarga" +L["Charged Combo Point"] = "Ponto de Combo Carregado" +L["Charging Rune Color"] = "Cor de Runa quando Carregando" L["Chat Bubble Names"] = "Nomes na Bolha de Bate-papo" L["Chat Bubbles Style"] = "Estilo dos Balões de Fala" L["Chat Bubbles"] = "Bolha de bate-papo" L["Chat EditBox Position"] = "Posição da caixa de edição do bate-papo" L["Chat Output"] = "Saída do Chat" -L["Chat Panels"] = true +L["Chat Panels"] = "Painéis de Bate-Papo" L["CHAT_MSG_EMOTE"] = "Expressão" -L["Check Focus Cast"] = true -L["Check Mouseover Cast"] = true -L["Check Self Cast"] = true +L["Check Focus Cast"] = "Checar Lançamento do Foco" +L["Check Mouseover Cast"] = "Checar Lançamento do Mouse Passando" +L["Check Self Cast"] = "Checar Autolançamento" L["Check these to only have the filter active in certain difficulties. If none are checked, it is active in all difficulties."] = "Cheque estes para ter o filtro apenas ativo em certas dificuldades. Se nenhum estiver checados, ficará ativo em todas as dificuldades." -L["CheckBox Skin"] = true +L["CheckBox Skin"] = "Modificação da Caixa de Seleção" L["CHI_POWER"] = "Chi" L["Choose Export Format"] = "Escolher Formato de exportação" L["Choose UIPARENT to prevent it from hiding with the unitframe."] = "Escolha UIParent para evitá-lo de esconder com o Quadro de Jogador" L["Choose What To Export"] = "Escolha o que exportar" L["Choose when you want the tooltip to show in combat. If a modifier is chosen, then you need to hold that down to show the tooltip."] = "Escolha quando você quiser que o Tooltip apareça em combate. Se um modificador for escolhido, então você precisará segurá-lo para que o Tooltip apareça." L["Choose when you want the tooltip to show. If a modifier is chosen, then you need to hold that down to show the tooltip."] = "Escolha quando você quiser que o Tooltip apareça. Se um modificador for escolhido, então você precisará segurá-lo para que o Tooltip apareça." -L["Chromie Time Frame"] = true +L["Chromie Time Frame"] = "Quadro do Tempo de Chromie" L["Clamp nameplates to the top of the screen when outside of view."] = "Empilhar Placas de identificação no topo da tela quando fora de vista" L["Clamp Nameplates"] = "Empilhar Placas de identificação" L["Class Backdrop"] = "Fundo por classe" @@ -298,37 +297,37 @@ L["Class Castbars"] = "Barras de Lançamento da Classe" L["Class Color Mentions"] = "Menções de Cor de Classe" L["Class Color Override"] = "Sobrescrever Cor da Classe" L["Class Color Source"] = "Origem da Cor da Classe" -L["Class Color"] = true +L["Class Color"] = "Cor de Classe" L["Class Health"] = "Vida por Classe" -L["Class Icon"] = true -L["Class Order"] = true +L["Class Icon"] = "Ícone de Classe" +L["Class Order"] = "Ordem de Classe" L["Class Power"] = "Poder por classe" L["Class Resources"] = "Recursos de Classe" L["CLASS"] = "Classe" L["Classification"] = "Classificação" -L["Clean Button"] = true +L["Clean Button"] = "Botão Limpo" L["Clear Filter"] = "Limpar Filtro" L["Clear Search On Close"] = "Limpar Buscar ao Fechar" L["Click Through"] = "Clicar através" L["Clickable Height"] = "Altura Clicável" L["Clickable Size"] = "Tamanho Clicável" L["Clickable Width / Width"] = "Altura / Altura clicável" -L["Cluster Backdrop"] = true +L["Cluster Backdrop"] = "Agrupamento de Fundo" L["Coding:"] = "Codificação:" L["COLLECTIONS"] = "Coleções" L["Color all buffs that reduce the unit's incoming damage."] = "Colorir todos os bônus que reduzem o dano recebido pela unidade." -L["Color aurabar debuffs by type."] = "Colorir Debuffs da barra de auras por tipo." -L["Color Backdrop"] = true -L["Color by Happiness"] = true -L["Color By Spec"] = true -L["Color by Unit Class"] = true +L["Color aurabar debuffs by type."] = "Colorir Penalidades da barra de auras por tipo." +L["Color Backdrop"] = "Colorir Fundo" +L["Color by Happiness"] = "Colorir por Felicidade" +L["Color By Spec"] = "Colorir por Especialização" +L["Color by Unit Class"] = "Colorir por Classe da Unidade" L["Color by Value"] = "Colorir por Valor" -L["Color castbar by the class of the unit's class."] = true -L["Color castbar by the reaction of the unit to the player."] = true +L["Color castbar by the class of the unit's class."] = "Colorir Barra de Lançamento pela classe da unidade." +L["Color castbar by the reaction of the unit to the player."] = "Colorir Barra de Lançamento pela reação da unidade ao jogador." L["Color castbars by the class of player units."] = "Colorir Barra de Lançamento de unidades jogadoras" L["Color castbars by the reaction type of non-player units."] = "Colorir Barra de Lançamentos pelo tipo de reação de unidades não-jogadoras" -L["Color Debuffs"] = true -L["Color Enchants"] = true +L["Color Debuffs"] = "Colorir Penalidades" +L["Color Enchants"] = "Colorir Encantos" L["Color Gradient"] = "Gradiente de Cor" L["Color health by amount remaining."] = "Colorir a vida pela quantidade restante." L["Color health by classcolor or reaction."] = "Colorir a vida pela Cor da classe ou reação." @@ -339,51 +338,51 @@ L["Color of the actionbutton when not usable."] = "Cor da Tecla de Ação quando L["Color of the actionbutton when out of power (Mana, Rage, Focus, Holy Power)."] = "Cor do botão de ação quando sem poder (Mana, Raiva, Foco, Poder Sagrado)." L["Color of the actionbutton when out of range."] = "Cor do botão de ação quando fora de alcance." L["Color of the actionbutton when usable."] = "Cor Tecla de Ação quando utilizável" -L["Color of the Targets Aura time when expiring."] = true -L["Color of the Targets Aura time."] = true +L["Color of the Targets Aura time when expiring."] = "Cor da Aura do Alvo quando o tempo estiver acabando." +L["Color of the Targets Aura time."] = "Cor do Tempo da Aura do Alvo" L["Color Override"] = "Sobrescrever Cor" -L["Color Picker"] = true +L["Color Picker"] = "Escolhedor de Cores" L["Color power by classcolor or reaction."] = "Colorir Poder pela Cor da classe ou reação." L["Color power by color selection."] = "Colorir Poder pela seleção de Cor" -L["Color score based on Blizzards API."] = true -L["Color Score"] = true +L["Color score based on Blizzards API."] = "Colorir pontuação baseando na API da Blizzard." +L["Color Score"] = "Colorir Pontuação" L["Color some texts use."] = "Cores que alguns textos usam." L["Color the health backdrop by class or reaction."] = "Colorir o fundo da vida pela Cor da classe ou reação." L["Color the unit healthbar if there is a debuff that can be dispelled by you."] = "Cor da barra de vida se existir um Debuff que você possa dissipar." -L["Color tooltip border based on Item Quality."] = true +L["Color tooltip border based on Item Quality."] = "Colorir borda da dica baseando na Qualidade do Item." L["Color Turtle Buffs"] = "Colorir bônus de Tartaruga" -L["Color when at half of the Low Health Threshold"] = true -L["Color when at Low Health Threshold"] = true +L["Color when at half of the Low Health Threshold"] = "Colorir quando estiver na metade do Limite Baixo de Saúde" +L["Color when at Low Health Threshold"] = "Colorir quando estiver no Limite Baixo de Saúde" L["Color when the text is about to expire."] = "Colorir do texto quando está quase a expirar." L["Color when the text is in the days format."] = "Colorir do texto quando está em formato de dias." L["Color when the text is in the hours format."] = "Colorir do texto quando está em formato de horas." L["Color when the text is in the minutes format."] = "Colorir do texto quando está em formato de minutos." L["Color when the text is in the seconds format."] = "Colorir do texto quando está em formato de segundos." -L["Color when the text is using a modified timer rate."] = true +L["Color when the text is using a modified timer rate."] = "Colorir quando o texto estiver usando uma taxa de modificação de tempo." L["COLOR"] = "Cor" L["Colored Icon"] = "Ícone Colorido" L["Coloring (Specific)"] = "Coloração (Específica)" L["Coloring"] = "Coloração" -L["Colorize Selected Text"] = true +L["Colorize Selected Text"] = "Colorir o Texto Selecionado" L["Colors the border according to the Quality of the Item."] = "Colorir as bordas de acordo com a Qualidade o Item." L["Colors the border according to the type of items assigned to the bag."] = "Colorir as bordas de acordo com o tipo de item assinalado para a bolsa." L["Colors"] = "Cores" -L["Combat Font"] = true +L["Combat Font"] = "Fonte de Combate" L["Combat Icon"] = "Ícone de Combate" L["Combat Override Key"] = "Botão de Sobrescrever Combate" -L["Combat Repeat"] = true +L["Combat Repeat"] = "Repetir Combate" L["COMBO_POINTS"] = "|4Ponto:Pontos; de Combo" L["COMMUNITIES"] = "Comunidades" L["Comparison Font Size"] = "Comparação de Tamanho de Fonte" -L["Completed Quests Only"] = true +L["Completed Quests Only"] = "Apenas Objetivos Completados" L["Completely hide the voice buttons."] = "Esconder completamente os botões de voz" -L["Condensed (Spaced)"] = true +L["Condensed (Spaced)"] = "Condensado (Espacionado)" L["Condensed"] = "Condensados" -L["Conditions"] = true +L["Conditions"] = "Condições" L["Configure Auras"] = "Configurar Auras" -L["Connected"] = true -L["Conscious"] = true -L["Content"] = true +L["Connected"] = "Conectado" +L["Conscious"] = "Consciente" +L["Content"] = "Contente" L["Contribution"] = "Contribuição" L["Control enemy nameplates toggling on or off when in combat."] = "Controla a Placa de identificação Inimiga mostrando/ocultando quando em combate." L["Control friendly nameplates toggling on or off when in combat."] = "Controla a Placa de identificação Aliada mostrando/ocultando quando em combate." @@ -396,18 +395,18 @@ L["Cooldown Text"] = "Texto do Tempo de Recarga" L["Cooldowns"] = "Tempos de Recarga" L["Copy Chat Lines"] = "Copiar Linhas do Bate-papo" L["Copy From"] = "Copiar de" -L["Copy Primary Texture"] = true +L["Copy Primary Texture"] = "Copiar Textura Primária" L["Copy settings from %s. This will overwrite %s profile.\n\n Are you sure?"] = "Copiar configurações de %s. Isso irá sobrescrever o perfil %s.\n\n Tem certeza?" L["Copy settings from another unit."] = "Copiar configurações de outra unidade." L["Copy settings from"] = "Copiar configurações de" L["Core |cff1784d1ElvUI|r options."] = "Opções do núcleo do |cff1784d1ElvUI|r" -L["Cosmetic"] = true -L["Count Text"] = true -L["Covenant Preview"] = true -L["Covenant Renown"] = true -L["Covenant Sanctum"] = true -L["Craft"] = true -L["Create a filter, once created a filter can be set inside the buffs/debuffs section of each unit."] = "Criar um filtro, uma vez criado o filtro pode ser definido dentro da seção dos bônus/Debuffs de cada unidade." +L["Cosmetic"] = "Cosmético" +L["Count Text"] = "Texto de Contagem" +L["Covenant Preview"] = "Prévia de Pacto" +L["Covenant Renown"] = "Renome do Pacto" +L["Covenant Sanctum"] = "Santuário do Pacto" +L["Craft"] = "Criar" +L["Create a filter, once created a filter can be set inside the buffs/debuffs section of each unit."] = "Criar um filtro, uma vez criado o filtro pode ser definido dentro da seção dos bônus/penalidades de cada unidade." L["Create Custom Text"] = "Criar Texto Customizado" L["Create Filter"] = "Criar Filtro" L["Creature Type"] = "Tipo de Criatura" @@ -425,84 +424,84 @@ L["Current Level"] = "Level Atual" L["Current Mount"] = "Montaria Atual" L["Current"] = "Atual" L["Curse Effect"] = "Efeito de maldição" -L["Cursor Anchor Offset X"] = true -L["Cursor Anchor Offset Y"] = true -L["Cursor Anchor Type"] = true -L["Cursor Anchor"] = true +L["Cursor Anchor Offset X"] = "Deslocamento X da Âncora do Cursor" +L["Cursor Anchor Offset Y"] = "Deslocamento Y da Âncora do Cursor" +L["Cursor Anchor Type"] = "Tipo de Âncora do Cursor" +L["Cursor Anchor"] = "Âncora do Cursor" L["CURSOR"] = true L["CURSOR_LEFT"] = "Esquerdo do cursor" L["CURSOR_RIGHT"] = "Direito do cursor" -L["Custom Backdrop"] = true +L["Custom Backdrop"] = "Fundo Customizado" L["Custom Color"] = "Cor Customizada" L["Custom Currency"] = "Moeda Customizada" -L["Custom Dead Backdrop"] = true +L["Custom Dead Backdrop"] = "Fundo Customizado de Morto" L["Custom Faction Colors"] = "Cor de Facções Customizadas" -L["Custom Font"] = true -L["Custom Glow"] = true -L["Custom Label"] = true -L["Custom Name"] = true +L["Custom Font"] = "Fonte Customizada" +L["Custom Glow"] = "Brilho Customizado" +L["Custom Label"] = "Rótulo Customizado" +L["Custom Name"] = "Nome Customizado" L["Custom Power Prediction Color"] = "Cor de Predição de Poder Customizada" -L["Custom StatusBar"] = true +L["Custom StatusBar"] = "Barra de Estado Customizada" L["Custom Texts"] = "Textos Personalizados" L["Custom Texture"] = "Textura Customizada" L["Custom Timestamp Color"] = "Cor de data/hora customizadas" L["CUSTOM"] = "Personalizado" -L["Customization"] = true -L["Cutaway Bars"] = true +L["Customization"] = "Customização" +L["Cutaway Bars"] = "Barras Cortadas" L["DAMAGER"] = "Dano" L["Darken Inactive"] = "Escurecer Inativos" L["DataBars"] = "Barra de Dados" L["Datatext Panel (Left)"] = "Painel de Textos Informativos (Esquerdo)" L["Datatext Panel (Right)"] = "Painel de Textos Informativos (Direito)" -L["DataText Panels"] = true +L["DataText Panels"] = "Painéis de Textos Informativos" L["DataTexts"] = "Textos Informativos" L["Days"] = "Dias" -L["Dead or Ghost"] = true +L["Dead or Ghost"] = "Morto ou Fantasma" L["DEATH_RECAP_TITLE"] = "Recapitular morte" -L["Debuff Highlighting"] = "Destacar debuffs" -L["Debuffs on Buffs"] = true +L["Debuff Highlighting"] = "Destacar Penalidades" +L["Debuffs on Buffs"] = "Penalidades em Bônus" L["Debug Tools"] = "Ferramentas de Depuração" -L["DEBUG_DESC"] = "Disable all addons (including Plugins) except ElvUI. During the same session, this can be clicked to reenable them." +L["DEBUG_DESC"] = "Desabilitar todos os addons (incluindo Plugins) exceto o ElvUI. Durante esta mesma seção, isto pode ser clicado para reativá-los." L["Decimal Length"] = "Tamanho do Decimal" L["Decode Text"] = "Decodificar Texto" -L["Decode"] = true +L["Decode"] = "Decodificar" L["Default Color"] = "Cor Padrão" L["Default Font"] = "Fonte Padrão" L["Default Settings"] = "Configurações Padrões" L["DEFAULT"] = "Padrão" L["Defines how the group is sorted."] = "Define como o grupo é organizado" L["Defines the sort order of the selected sort method."] = "Define a ordem de organização do método escolhido" -L["Delay Alpha"] = true +L["Delay Alpha"] = "Atraso de Transparência" L["Delete a created filter, you cannot delete pre-existing filters, only custom ones."] = "Excluir um filtro criado, você não pode excluir filtros pré-existentes, apenas aqueles personalizados." L["Delete Filter"] = "Apagar Filtro" L["Delete"] = "Excluir" L["Desaturate Cooldowns"] = "Desaturar Tempo de Recarga" L["Desaturate Icon"] = "Desaturar Ícones" -L["Desaturate Junk"] = true +L["Desaturate Junk"] = "Desaturar Lixo" L["Desaturate Voice Icons"] = "Desaturar Ícones de Voz" -L["Desaturate"] = true +L["Desaturate"] = "Desaturar" L["Desaturated Icon"] = "Ícones Desaturados" L["Descending"] = "Descendente" L["Detach From Frame"] = "Destacar do Quadro" L["Detached Width"] = "Largura quando Destacado" -L["Development Version"] = true +L["Development Version"] = "Versão de Desenvolvimento" L["Direction the bag sorting will use to allocate the items."] = "Direção que o organizador de bolsas irá usar para distribuir os itens." L["Direction the bar moves on gains/losses"] = "Direção que a barra move em ganhas/perdas" L["Direction the health bar moves when gaining/losing health."] = "Direção em que a barra da vida se move quando se ganha/perde vida." -L["Disable Blizzard Skins"] = true -L["Disable Cluster"] = true -L["Disable Sort"] = true +L["Disable Blizzard Skins"] = "Desabilitar Modificações Blizzard" +L["Disable Cluster"] = "Desabilitar Agrupamento" +L["Disable Sort"] = "Desabilitar Classificação" L["Disable Tutorial Buttons"] = "Desabilitar Botões de Tutorial" L["Disabled Blizzard Frames"] = "Quadros da Blizzard desabilitados" L["Disabled Blizzard"] = "Blizzard desabilitados" L["Disables the tutorial button found on some frames."] = "Desabilita o botão de tutorial achados em alguns quadros." L["Disconnected"] = "Desconectado" L["Disease Effect"] = "Efeito de doença" -L["Display a healer icon over known healers inside battlegrounds or arenas."] = "Mostra um ícone de Curandeiro sobre curandeiros conhecidosem campos de batalha ou arenas." +L["Display a healer icon over known healers inside battlegrounds or arenas."] = "Mostra um ícone de Curandeiro sobre curandeiros conhecidos em campos de batalha ou arenas." L["Display a panel across the bottom of the screen. This is for cosmetic only."] = "Mostra um painel na parte inferior da tela. Apenas para efeito cosmético." L["Display a panel across the top of the screen. This is for cosmetic only."] = "Mostra um painel na parte superior da tela. Apenas para efeito cosmético." L["Display a spark texture at the end of the castbar statusbar to help show the differance between castbar and backdrop."] = "Exibir uma textura de faísca no fim da Barra de Lançamento para ajudar a diferenciar a barra de cast e o fundo." -L["Display a tank icon over known tanks inside battlegrounds or arenas."] = true +L["Display a tank icon over known tanks inside battlegrounds or arenas."] = "Exibir um ícone de tanque sobre os tanques dentro de campos de batalha ou arenas." L["Display battleground messages in the middle of the screen."] = "Mostra mensagens do campo de batalha no meio da tela." L["Display bind names on action buttons."] = "Exibir atalhos nos botões de ação." L["Display Character Info"] = "Mostrar Informações do Personagem" @@ -517,34 +516,34 @@ L["Display icon on arena frame indicating the units talent specialization or the L["Display In Main Tooltip"] = "Mostrar no Tooltip Principal" L["Display Inspect Info"] = "Mostar Informações de Inspeção" L["Display Interrupt Source"] = "Mostrar Fonte da Interrupção" -L["Display Item Info"] = true +L["Display Item Info"] = "Mostrar Informações do Item" L["Display Item Level"] = "Mostrar Item Level" L["Display LFG Icons in group chat."] = "Mostrar Ícones LFG em grupos de bate-papo" L["Display macro names on action buttons."] = "Exibir nomes das macros nos botões de ação." -L["Display Mana"] = true -L["Display messages from Guild and Whisper on AFK screen.\nThis chat can be dragged around (position will be saved)."] = true +L["Display Mana"] = "Mostrar Mana" +L["Display messages from Guild and Whisper on AFK screen.\nThis chat can be dragged around (position will be saved)."] = "Mostrar mensagens da Guilda e Sussurros na tela de AFK.\nEste bate-papo pode ser movimentado (a posição será salva)." L["Display minimap panels below the minimap, used for datatexts."] = "Exibir painéis abaixo do minimapa, usados para textos informativos." L["Display player titles."] = "Mostrar títulos dos jogadores." L["Display Player"] = "Exibir Jogador" L["Display Style"] = "Mostrar Estilo" L["Display Target"] = "Mostrar Alvo" -L["Display Target's Aura Duration, when there is no CD displaying."] = true +L["Display Target's Aura Duration, when there is no CD displaying."] = "Mostrar a Duração da Aura do Alvo, quando não há uma recarga sendo mostrada." L["Display Text"] = "Mostrar Texto" L["Display the castbar icon inside the castbar."] = "Mostrar o Ícone da Barra de Lançamento dentro da Barra de Lançamento." -L["Display the current Mythic+ Dungeon Score."] = true +L["Display the current Mythic+ Dungeon Score."] = "Mostra a Pontuação Atual das Masmorras Míticas+" L["Display the hyperlink tooltip while hovering over a hyperlink."] = "Exibir a tooltip de um hyperlink quando pairar por cima deste." -L["Display the item level and current specialization of the unit on modifier press."] = true +L["Display the item level and current specialization of the unit on modifier press."] = "Mostra o nível do item e especialização atual da unidade quando um modificador for pressionado." L["Display the name of the unit on the chat bubble. This will not work if backdrop is disabled or when you are in an instance."] = "Mostrar o nome da unidade na bolha do chat. Isso não irá funcionar se o fundo estiver desabilitado ou você estiver em uma instância." -L["Display the target of current cast."] = true +L["Display the target of current cast."] = "Mostra o alvo do lançamento atual." L["Display the unit name who interrupted a spell on the castbar. You should increase the Time to Hold to show properly."] = "Mostrar o nome da unidade que interrompeu um feitiço na barra de feitiços. Você deve aumentar o Tempo de Mostra para aparecer apropriadamente." L["Display the unit role in the tooltip."] = "Mostrar o papel/função da unidade no tooltip." L["Display tick marks on the castbar for channelled spells. This will adjust automatically for spells like Drain Soul and add additional ticks based on haste."] = "Exibir marcas na barra de cast para feitiços canalizados. Isto irá se ajustar automaticamente para feitiços como Drenar Alma e adicionará ticks baseado na Aceleração." -L["Display Types"] = true +L["Display Types"] = "Mostrar Tipos" L["Displayed Currency"] = "Moeda mostrada" L["Displays a detailed report of every item sold when enabled."] = "Mostra um relatório detalhado de cada item vendido quando habilitado." -L["Displays item info on center of item."] = true +L["Displays item info on center of item."] = "Mostra informação do item no centro do item." L["Displays item level on equippable items."] = "Mostra o item level de itens equipáveis." -L["Displays the gender of players."] = true +L["Displays the gender of players."] = "Mostra o gênero dos jogadores." L["Don't display auras that are longer than this duration (in seconds). Set to zero to disable."] = "Não mostrar auras que são maiores que esta duração (em segundos). Coloque zero para desabilitar." L["Don't display auras that are shorter than this duration (in seconds). Set to zero to disable."] = "Não mostrar auras que são menores que esta duração (em segundos). Coloque zero para desabilitar." L["Donations:"] = "Doações:" @@ -556,16 +555,16 @@ L["Durability Scale"] = "Escala de Durabilidade" L["Duration Enable"] = "Habilitar Duração" L["Duration Text"] = "Texto de Duração" L["Duration"] = "Duração" -L["Editbox History"] = true -L["Editor Manager"] = true +L["Editbox History"] = "Histórico do Campo de Edição" +L["Editor Manager"] = "Gerenciador de Edição" L["Elite Icon"] = "Ícone de Elite" L["ELVUI_CREDITS"] = "Gostaria de agradecer especialmente às seguintes pessoas por me ajudarem a manter este addon, quer testando, codificando, ou através de doações. Em relação às doações, esta lista contém apenas o nome das pessoas que me contataram através de mensagem privada nos forums, se o seu nome está em falta e gostaria de o ver adicionado, por favor contate-me por mensagem privada." -L["Emote"] = true +L["Emote"] = "Expressão" L["Emotion Icons"] = "Ícones Emotivos" -L["Empower Stages"] = true +L["Empower Stages"] = "Estágios Potencializados" L["Enable + Adjust Movers"] = "Habilitar + Ajustar Movedores" L["Enable a sound if you select a unit."] = "Habilitar um som se você selecionar uma unidade." -L["Enable Blizzard Skins"] = true +L["Enable Blizzard Skins"] = "Habilitar Modificações Blizzard" L["Enable the use of separate size options for the right chat panel."] = "Habilitar o uso de opções de tamanho separadas para o painel direito de bate-papo." L["Enable to hear sound if you receive a resurrect."] = "Habilitar para escutar um som quando receber um reviver." L["Enable"] = "Ativar" @@ -573,11 +572,11 @@ L["Enable/Disable the all-in-one bag."] = "Ativar/Desativar a Bolsa tudo-em-um." L["Enable/Disable the loot frame."] = "Ativar/Desativar painel de saques." L["Enable/Disable the loot roll frame."] = "Ativar/Desativar painel de disputa de saques" L["Enable/Disable the minimap. |cffFF3333Warning: This will prevent you from seeing the minimap datatexts.|r"] = "Habilitar/Desabilitar o minimapa. |cffFF3333Perigo: Isso irá prevení-lo de ver os Textos Informativos do minimapa.|r" -L["Enable/Disable the on-screen zone text when you change zones."] = true -L["Enable/Disable the World Map Enhancements."] = true -L["Enabled"] = true -L["Enables the ElvUI Raid Control panel."] = "Habilita o painel de Controle de Raid do ElvUI." -L["Enables the five-second-rule ticks for Mana classes and Energy ticks for Rogues and Druids."] = true +L["Enable/Disable the on-screen zone text when you change zones."] = "Habilitar/Desabilitar o texto de zona na tela quando você muda de zona." +L["Enable/Disable the World Map Enhancements."] = "Habilitar/Desabilitar as Melhorias do Mapa" +L["Enabled"] = "Habilitar" +L["Enables the ElvUI Raid Control panel."] = "Habilita o painel de Controle de Raíde do ElvUI." +L["Enables the five-second-rule ticks for Mana classes and Energy ticks for Rogues and Druids."] = "Habilitar a regra de cinco segundos para classes com Mana e Energia como Ladinos e Druídas" L["Enabling this allows raid-wide sorting however you will not be able to distinguish between groups."] = "Habilitar isso irá permitir a organização pela largura da raid porém você não conseguirá distinguir os grupos." L["Enabling this inverts the grouping order when the raid is not full, this will reverse the direction it starts from."] = "Habilitar isso irá inverter a ordem dos grupos quando um Raid não está cheia, isso irá reverter a direção que uma raid começa." L["Enabling this will check your health amount."] = "Habilitar isso irá checar sua quantidade de vida" @@ -588,64 +587,64 @@ L["Enemy Aura Type"] = "Tipo de Aura do Inimigo" L["Enemy Combat Toggle"] = "Mostrar/Esconder combate inimigo" L["Enemy"] = "Inimigo" L["ENEMY_NPC"] = "NPC Inimigo" -L["ENEMY_PLAYER"] = "Player Inimigo" +L["ENEMY_PLAYER"] = "Jogador Inimigo" L["ENERGY"] = "Energia" -L["Energy/Mana Regen Tick"] = true +L["Energy/Mana Regen Tick"] = "Marco de Tempo de Regeneração de Energia/Mana" L["Engineering"] = "Engenharia" L["Enhanced PVP Messages"] = "Melhorias nas mensagens PVP" -L["Equipped Item"] = true -L["Equipped"] = true +L["Equipped Item"] = "Item Equipado" +L["Equipped"] = "Equipado" L["Error decoding data. Import string may be corrupted!"] = "Erro ao decodificar os dados. A string de importação pode estar corrompida!" L["Error exporting profile!"] = "Erro ao exportar perfil!" -L["Event Log"] = true +L["Event Log"] = "Registros de Eventos" L["Exclude Name"] = "Excluir Nome" L["Excluded names will not be class colored."] = "Nomes excluídos não serão coloridos por classe" L["Excluded Names"] = "Nomes Exclúidos" -L["Expansion Button"] = true -L["Expansion Landing Page"] = true +L["Expansion Button"] = "Botão de Expansão" +L["Expansion Landing Page"] = "Página de Lançamento de Expansão" L["Expiring"] = "Expirando" L["Export Now"] = "Exportar Agora" L["Export Profile"] = "Exportar Perfis" -L["Export"] = true +L["Export"] = "Exportar" L["Exported"] = "Exportado" -L["Extra Buttons"] = true -L["Fade Chat Toggles"] = true +L["Extra Buttons"] = "Botões Extra" +L["Fade Chat Toggles"] = "Alternar Desvanecimento dos botões de bate-papo" L["Fade Duration"] = "Duração de Desvanecimento" L["Fade Out Delay"] = "Delay de Desvanecimento" -L["Fade out the tooltip when it disappers, instant otherwise. Cursor anchored tooltips are unaffected."] = true +L["Fade out the tooltip when it disappers, instant otherwise. Cursor anchored tooltips are unaffected."] = "Desvanecer a dica quando ela desaparecer, será instântanea caso contrário. Dicas ancoras ao Cursor não são afetadas." L["Fade Out"] = "Desvanecimento" L["Fade Tabs No Backdrop"] = "Desvanecer Abas (sem backdrop)" L["Fade the chat text when there is no activity."] = "Desvanece o texto do bate-papo quando não há atividade." L["Fade Threshold"] = "Limiar para Desvanecer" L["Fade Undocked Tabs"] = "Desvanecer abas desanexadas" -L["Faded Charging Rune"] = true -L["Fader"] = true -L["Fades the buttons that toggle chat windows when that window has been toggled off."] = true -L["Fades the text on chat tabs that are docked in a panel where the backdrop is disabled."] = true -L["Fades the text on chat tabs that are not docked at the left or right chat panel."] = true +L["Faded Charging Rune"] = "Desvanecer Runa em Carregamento" +L["Fader"] = "Desvanecimento" +L["Fades the buttons that toggle chat windows when that window has been toggled off."] = "Desvanece os botões que habilitam/desabilitam as janelas de bate-papo quando essa janela for desabilitada." +L["Fades the text on chat tabs that are docked in a panel where the backdrop is disabled."] = "Desvanece o textos das abas de bate-papo que estão ancoradas em um painel onde o fundo está desabilitado." +L["Fades the text on chat tabs that are not docked at the left or right chat panel."] = "Desvanece o texto das abas de bate-papo que não estão ancoradas ao painel esquerdo ou direito." L["Fill"] = "Preencher" L["Filled"] = "Preenchido" -L["Filter Modifiers"] = true +L["Filter Modifiers"] = "Filtrar Modificadores" L["Filter Priority"] = "Prioridade do Filtro" L["Filter Search"] = "Buscar Filtro" L["Filter Type"] = "Tipo de filtro" L["Filters Page"] = "Página de Filtros" L["Filters"] = "Filtros" -L["Flash Client Icon"] = true -L["Flash Invites"] = true -L["Flash Threshold"] = true -L["Flash"] = true +L["Flash Client Icon"] = "Piscar Ícone do Cliente" +L["Flash Invites"] = "Piscar Convites" +L["Flash Threshold"] = "Limiar para Pisco" +L["Flash"] = "Pisco" L["FLIGHT_MAP"] = "Mapa de voo" -L["Fluid Buffs on Debuffs"] = true -L["Fluid Debuffs on Buffs"] = true -L["Flyout Button Size"] = true -L["Flyout Direction"] = true -L["Focus Cast Key"] = true +L["Fluid Buffs on Debuffs"] = "Bônus Fluidos em Penalidades" +L["Fluid Debuffs on Buffs"] = "Penalidades Fluidas em Bônus" +L["Flyout Button Size"] = "Tamanho de Botões Suspensos" +L["Flyout Direction"] = "Direção de Botão Suspenso" +L["Focus Cast Key"] = "Tecla para lançamento em Foco" L["FOCUS"] = "Concentração" L["Focus"] = "Foco" -L["Focused Glow"] = true +L["Focused Glow"] = "Brilho Focado" L["FocusTarget"] = "Focar Alvo" -L["Font Group"] = true +L["Font Group"] = "Grupo de Fonte" L["Font Outline"] = "Contorno da Fonte" L["Font Size"] = "Tamanho da fonte" L["Font"] = "Fonte" @@ -655,7 +654,7 @@ L["Force Off"] = "Forçado Desligado" L["Force On"] = "Forçado Ligado" L["Force Reaction Color"] = "Forçar Cor de Reação" L["Force the frames to show, they will act as if they are the player frame."] = "Forçar os quadros a aparecerem. Eles irão se comportar como se fossem o quadro do jogador." -L["Forces Focus Glow to be disabled for these frames"] = true +L["Forces Focus Glow to be disabled for these frames"] = "Força o Brilho de Foco a ser desabilitado para estes quadros" L["Forces Mouseover Glow to be disabled for these frames"] = "Força o Brilho ao Pairar o Mouse ser desabilitado para estes quadros." L["Forces reaction color instead of class color on units controlled by players."] = "Força cor de reação em vez de cor de classe para unidades controladas por jogadores." L["Forces Target Glow to be disabled for these frames"] = "Força o Brilho de Alvo ser desabilitado para estes quadros." @@ -664,7 +663,7 @@ L["Frame Glow"] = "Brilho de Quadro" L["Frame Level"] = "Quadro de Level" L["Frame Orientation"] = "Orientação do Quadro" L["Frame Strata"] = "Camada do Quadro" -L["Free/Total"] = true +L["Free/Total"] = "Livre/Total" L["Friend"] = "Amigo" L["Friendly Aura Type"] = "Tipo de Aura para Aliado" L["Friendly Combat Toggle"] = "Mostrar/Ocultar combate amigável" @@ -672,29 +671,29 @@ L["Friendly"] = "Aliado" L["FRIENDLY_NPC"] = "NPC Aliado" L["FRIENDLY_PLAYER"] = "Player Aliado" L["Friends"] = "Amigos" -L["From Me"] = true -L["From Pet"] = true -L["Full Bar"] = true -L["Full Overlay"] = true -L["Full Time"] = true +L["From Me"] = "De mim" +L["From Pet"] = "De meu mascote" +L["Full Bar"] = "Barra Preenchida" +L["Full Overlay"] = "Sobreposição Preenchida" +L["Full Time"] = "Tempo Cheio" L["Full"] = "Cheio" L["FURY"] = "Fúria" -L["Gaining Threat"] = true +L["Gaining Threat"] = "Ganhando Ameaça" L["GARRISON_LOCATION_TOOLTIP"] = "Guarnição" L["Gems"] = "Gemas" -L["Gender"] = true +L["Gender"] = "Genêro" L["General"] = "Geral" -L["Generic Trait"] = true +L["Generic Trait"] = "Traço Genérico" L["Global (Account Settings)"] = "Global (configurações da conta)" L["Global Fade Transparency"] = "Transparência de desvanecimento global" L["Global"] = true L["Glow"] = "Brilhar" -L["GM Chat"] = true +L["GM Chat"] = "Bate-papo com GM" L["Gold Format"] = "Formato do Gold" L["Good Color"] = "Cor boa" L["Good Scale"] = "Escala boa" L["Good Transition Color"] = "Cor de transição boa" -L["Good Transition"] = true +L["Good Transition"] = "Boa Transição" L["Good"] = "Bom" L["Gossip Frame"] = "Quadro de Fofoca" L["Group By"] = "Agrupar por" @@ -702,35 +701,35 @@ L["Group Spacing"] = "Espaçamento de grupo" L["Group Units"] = "Unidades de Grupo" L["Grouping & Sorting"] = "Agrupamento & Ordenação" L["Groups Per Row/Column"] = "Grupos por Linha/Coluna" -L["Groups will be maxed as Mythic to 4, Other Raids to 6, and PVP / World to 8."] = true +L["Groups will be maxed as Mythic to 4, Other Raids to 6, and PVP / World to 8."] = "Grupos serão no máximo: 4 em Mítico, outras Raídes 6, e PVP / Mundo 8." L["Growth direction from the first unitframe."] = "Direção de crescimento a partir do primeiro quado de unidade." L["Growth Direction"] = "Direção de crescimento" L["Growth X-Direction"] = "Direção do Crescimento (Eixo-X)" L["Growth Y-Direction"] = "Direção do Crescimento (Eixo-Y)" -L["Growth"] = true +L["Growth"] = "Crescimento" L["Guardians"] = "Guardiões" -L["Guide Frame"] = true +L["Guide Frame"] = "Quadro de Guia" L["Guide:"] = "Guia:" L["Guild Bank"] = "Banco da guilda" L["Guild Control Frame"] = "Controle da Guilda" L["Guild Ranks"] = "Posto na Guilda" L["Guild Registrar"] = "Registrar Guilda" L["Guild"] = "Guilda" -L["Half Bar"] = true -L["Happy"] = true -L["Has Aura"] = true -L["Has No Stealable"] = true -L["Has NPC Title"] = true -L["Has Stealable"] = true -L["Headers"] = true +L["Half Bar"] = "Meia Barra" +L["Happy"] = "Feliz" +L["Has Aura"] = "Tem Aura" +L["Has No Stealable"] = "Não tem Roubável" +L["Has NPC Title"] = "Tem Título de NPC" +L["Has Stealable"] = "Tem Roubável" +L["Headers"] = "Cabeçalhos" L["Heal Absorbs"] = "Absorções de Cura" L["Heal Prediction"] = "Curas por vir" L["Healer Icon"] = "Ícone de Curador" -L["Health Backdrop Multiplier"] = true +L["Health Backdrop Multiplier"] = "Multiplicador de Fundo da Vida" L["Health Backdrop"] = "Fundo da Vida" L["Health Bar"] = "Barra de Vida" L["Health Border"] = "Borda da Vida" -L["Health Breakpoint"] = true +L["Health Breakpoint"] = "Ponto de parada da Vida" L["Health By Value"] = "Vida por Valor" L["Health Color"] = "Cor da Vida" L["Health Threshold"] = "Limiar da Vida" @@ -738,51 +737,51 @@ L["Health"] = "Vida" L["Height Multiplier"] = "Multiplicador de Altura" L["Height of the objective tracker. Increase size to be able to see more objectives."] = "Altura do rastreador de objetivos. Aumente o tamanho para poder ver mais objetivos." L["Height"] = "Altura" -L["Help Frame"] = "Ajuda" -L["Help"] = true +L["Help Frame"] = "Quadro de Ajuda" +L["Help"] = "Ajuda" L["Herbalism"] = "Herbalismo" -L["Here you can add items that you want to be excluded from sorting. To remove an item just click on its name in the list."] = true +L["Here you can add items that you want to be excluded from sorting. To remove an item just click on its name in the list."] = "Aqui você pode adicionar items que você quer excluir da classificação. Para remover um item apenas clique no seu nome na lista." L["HH:MM Threshold"] = "Limiar da HH:MM" L["HH:MM"] = true L["Hide At Max Level"] = "Esconder quando level máximo" L["Hide Below Max Level"] = "Esconder abaixo do level máximo" L["Hide Both"] = "Esconder Ambos" -L["Hide by Application"] = true -L["Hide by Status"] = true +L["Hide by Application"] = "Esconder por Aplicação" +L["Hide by Status"] = "Esconder por Estado" L["Hide Castbar text. Useful if your power height is very low or if you use power offset."] = "Esconder texto na barra de cast. Útil quando a altura do seu Poder é muito pequena ou se você usa deslocamento de Poder." -L["Hide Channels"] = true -L["Hide Chat Toggles"] = true -L["Hide Cooldown Bling"] = true -L["Hide Copy Button"] = true +L["Hide Channels"] = "Esconder Canais" +L["Hide Chat Toggles"] = "Esconder Alternadores de Bate-papo" +L["Hide Cooldown Bling"] = "Esconder Brilho da Recarga" +L["Hide Copy Button"] = "Esconder Botão de Cópia" L["Hide Delay"] = "Esconder Delay" L["Hide Error Text"] = "Esconder Texto de Erro" L["Hide Frame"] = "Esconder Quadro" -L["Hide Icon"] = true +L["Hide Icon"] = "Esconder Ícone" L["Hide In Combat"] = "Esconder em Combate" -L["Hide In Keystone"] = true +L["Hide In Keystone"] = "Esconder em Chave Mítica+" L["Hide In Vehicle"] = "Esconder quado em veículo" -L["Hide Out of Combat"] = true +L["Hide Out of Combat"] = "Esconder Fora de Combate" L["Hide Outside PvP"] = "Esconder fora do PvP" L["Hide specific sections in the datatext tooltip."] = "Esconder seção específica nos tooltip dos textos informativos" L["Hide Spell Name"] = "Esconder nome do feitiço" L["Hide Text"] = "Esconder texto" -L["Hide the channel names in chat."] = true +L["Hide the channel names in chat."] = "Esconder os nomes dos canais de bate-papo" L["Hide Time"] = "Esconder horário" L["Hide Voice Buttons"] = "Esconder botões de voz" L["Hide When Empty"] = "Esconder quando vazio" -L["Hide Zone Text"] = true +L["Hide Zone Text"] = "Esconder o Texto de Zona" L["Hide"] = "Esconder" -L["Hides the bling animation on buttons at the end of the global cooldown."] = true +L["Hides the bling animation on buttons at the end of the global cooldown."] = "Esconder a animação nos botões no fim de um tempo de recarga global." L["Hides the red error text at the top of the screen while in combat."] = "Esconde o texto de erro vermelho do topo da tela quando em combate." -L["High"] = true -L["Highlight Color Style"] = true -L["History Size"] = true -L["History"] = true +L["High"] = "Alto" +L["Highlight Color Style"] = "Estilo da Cor de Destaque" +L["History Size"] = "Tamanho do Histórico" +L["History"] = "Histórico" L["HOLY_POWER"] = "Poder Sagrado" -L["Home Latency"] = true +L["Home Latency"] = "Latência de Casa" L["Honor"] = "Honra" L["Horde / Alliance / Honor Info"] = "Horda / Aliança / Informação de Honra" -L["Horde"] = true +L["Horde"] = "Horda" L["Horizontal Spacing"] = "Espaçamento Horizontal" L["Horizontal"] = "Horizontal" L["Hostile"] = "Hostil" @@ -790,16 +789,16 @@ L["Hours"] = "Horas" L["Hover Highlight"] = "Destaque ao pairar" L["Hover"] = "Pairar" L["How far away the portrait is from the camera."] = "Quão longe o retrato está da camera." -L["How long the cutaway health will take to fade out."] = true -L["How long the cutaway power will take to fade out."] = true -L["How many seconds the castbar should stay visible after the cast failed or was interrupted."] = true -L["How much time before the cutaway health starts to fade."] = true -L["How much time before the cutaway power starts to fade."] = true +L["How long the cutaway health will take to fade out."] = "Quanto tempo a vida cortada levará para desvanecer." +L["How long the cutaway power will take to fade out."] = "Quando tempo o poder cortado levará para desvanecer." +L["How many seconds the castbar should stay visible after the cast failed or was interrupted."] = "Quantos segundos a barra de lançamento deve continuar visível depois de um lançamento falhar ou ser interrompido." +L["How much time before the cutaway health starts to fade."] = "Quanto tempo antes da vida cortada começar a desvanecer." +L["How much time before the cutaway power starts to fade."] = "Quanto tempo antes do poder cortado começar a desvanecer." L["Hyperlink Hover"] = "Pairar no hyperlink" -L["Icon Height"] = true +L["Icon Height"] = "Altura do Ícone" L["Icon Inside Castbar"] = "Ícone dentro da Barra de Cast" L["Icon Size"] = "Tamanho do Ícone" -L["Icon Width"] = true +L["Icon Width"] = "Largura do Ícone" L["Icon"] = "Ícone" L["Icon: BOTTOM"] = "Ícone: ABAIXO" L["Icon: BOTTOMLEFT"] = "Ícone: ABAIXO-ESQUERDA" @@ -814,10 +813,10 @@ L["Icons and Text"] = "Texto e Ícones" L["If enabled then it checks if auras are missing instead of being present on the unit."] = "Se habilitado então irá checar se a aura está faltando ao invés de estar presente na unidade." L["If enabled then it will require all auras to activate the filter. Otherwise it will only require any one of the auras to activate it."] = "Se habilitado então irá requerer todas as auras para ativar o filtro. Caso contrário irá apenas requerer qualquer uma das auras para ativá-lo." L["If enabled then it will require all cooldowns to activate the filter. Otherwise it will only require any one of the cooldowns to activate it."] = "Se habilitado então irá requerer todos os tempo de recarga para ativar o filtro. Caso contrário irá apenas requerer qualquer um dos tempo de recargas para ativá-lo." -L["If enabled then the filter will activate if the unit is casting anything."] = true -L["If enabled then the filter will activate if the unit is channeling anything."] = true -L["If enabled then the filter will activate if the unit is not casting anything."] = true -L["If enabled then the filter will activate if the unit is not channeling anything."] = true +L["If enabled then the filter will activate if the unit is casting anything."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade está lançando algo." +L["If enabled then the filter will activate if the unit is channeling anything."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver canalizando algo." +L["If enabled then the filter will activate if the unit is not casting anything."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não estiver lançando algo." +L["If enabled then the filter will activate if the unit is not channeling anything."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não estiver canalizando algo." L["If enabled then the filter will only activate if the level of the unit is equal to or higher than this value."] = "Se habilitado então o filtro irá apenas ser ativado se o level da unidade for igual ou maior que este valor." L["If enabled then the filter will only activate if the level of the unit is equal to or lower than this value."] = "Se habilitado então o filtro irá apenas ser ativado se o level da unidade for igual ou menor que este valor." L["If enabled then the filter will only activate if the level of the unit matches this value."] = "Se habilitado então o filtro irá apenas ser ativado se o level da unidade for igual a este valor." @@ -827,26 +826,26 @@ L["If enabled then the filter will only activate if the unit is casting not inte L["If enabled then the filter will only activate if the unit is not casting or channeling one of the selected spells."] = "Se habilitado então o filtro irá apenas ser ativado se a unidade não estiver castando ou canalizando um dos feitiços selecionados." L["If enabled then the filter will only activate when the unit can be attacked by the active player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade poder ser atacada pelo jogador ativo." L["If enabled then the filter will only activate when the unit can not be attacked by the active player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não poder ser atacada pelo jogador ativo." -L["If enabled then the filter will only activate when the unit has a stealable buff(s)."] = true -L["If enabled then the filter will only activate when the unit has no stealable buff(s)."] = true +L["If enabled then the filter will only activate when the unit has a stealable buff(s)."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade tiver um bônus roubável." +L["If enabled then the filter will only activate when the unit has no stealable buff(s)."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não tiver um bônus roubável." L["If enabled then the filter will only activate when the unit is controlled by the player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver controlado pelo jogador." L["If enabled then the filter will only activate when the unit is in a Vehicle."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver em um Veículo." L["If enabled then the filter will only activate when the unit is in combat."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver em combate." -L["If enabled then the filter will only activate when the unit is in your Party."] = true -L["If enabled then the filter will only activate when the unit is in your Raid."] = true +L["If enabled then the filter will only activate when the unit is in your Party."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver em seu Grupo." +L["If enabled then the filter will only activate when the unit is in your Raid."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver em sua Raíde." L["If enabled then the filter will only activate when the unit is not controlled by the player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não estiver sendo controlada pelo jogador." L["If enabled then the filter will only activate when the unit is not in a Vehicle."] = "Se habilitado então o filtro irá apenas ser ativado quando não estiver em um Veículo." -L["If enabled then the filter will only activate when the unit is not in your Party."] = true -L["If enabled then the filter will only activate when the unit is not in your Raid."] = true +L["If enabled then the filter will only activate when the unit is not in your Party."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não estiver no seu Grupo." +L["If enabled then the filter will only activate when the unit is not in your Raid."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não estiver na sua Raíde." L["If enabled then the filter will only activate when the unit is not owned by the player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não pertencer ao jogador." L["If enabled then the filter will only activate when the unit is not pvp-flagged."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não for pvp-flagged." -L["If enabled then the filter will only activate when the unit is not tap denied."] = true +L["If enabled then the filter will only activate when the unit is not tap denied."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não for estiver reservada." L["If enabled then the filter will only activate when the unit is not targeting you."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não tiver como você como alvo." L["If enabled then the filter will only activate when the unit is not the active player's pet."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não for o pet do jogador ativo." L["If enabled then the filter will only activate when the unit is out of combat."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver fora de combate." L["If enabled then the filter will only activate when the unit is owned by the player."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade não for pertencente pelo jogador." L["If enabled then the filter will only activate when the unit is pvp-flagged."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade for pvp-flagged." -L["If enabled then the filter will only activate when the unit is tap denied."] = true +L["If enabled then the filter will only activate when the unit is tap denied."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade estiver reservada." L["If enabled then the filter will only activate when the unit is targeting you."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade ter você como alvo." L["If enabled then the filter will only activate when the unit is the active player's pet."] = "Se habilitado então o filtro irá apenas ser ativado quando a unidade é o pet ativo do jogador." L["If enabled then the filter will only activate when you are focusing the unit."] = "Se habilitado então o filtro irá apenas ser ativado quando você estiver focando a unidade." @@ -858,7 +857,7 @@ L["If enabled then the filter will only activate when you are not targeting the L["If enabled then the filter will only activate when you are out of combat."] = "Se habilitado então o filtro irá apenas ser ativado quando você estiver fora de combate." L["If enabled then the filter will only activate when you are resting at an Inn."] = "Se habilitado então o filtro irá apenas ser ativado quando você estiver descansado em uma estalagem." L["If enabled then the filter will only activate when you are targeting the unit."] = "Se habilitado então o filtro irá apenas ser ativado quando você ter a unidade como alvo." -L["If enabled then the filter will only activate when you have a target."] = true +L["If enabled then the filter will only activate when you have a target."] = "Se habilitado então o filtro irá apenas ser ativado quando você tiver um alvo." L["If enabled, the style filter will only activate when you are in one of the instances specified in Instance ID."] = "Se habilitado, então o estilo de filtro irá apenas ser ativado quando você estiver em uma das instâncias especificadas nos IDs da Instância." L["If enabled, the style filter will only activate when you are in one of the maps specified in Map ID."] = "Se habilitado, então o estilo de filtro irá apenas ser ativado quando você estiver em um dos mapas espeficiados em um dos IDs do Mapa." L["If enabled, the style filter will only activate when you are in one of the subzones specified in Add Subzone Name."] = "Se habilitado, então o estilo de filtro irá apenas ser ativado quando você estiver em uma das subzonas especificada em Adicionar Nome da Subzona." @@ -875,25 +874,25 @@ L["If this threshold is used then the power of the unit needs to be higher than L["If this threshold is used then the power of the unit needs to be lower than this value in order for the filter to activate. Set to 0 to disable."] = "Se este limiar for usado, então o poder da unidade precisa ser menor que este valor para o filtro ser ativado. Coloque 0 para desabilitar." L["If you have a lot of 3D Portraits active then it will likely have a big impact on your FPS. Disable some portraits if you experience FPS issues."] = "Se você tem vários Retratos 3D ativos então você provavelmente terá um grande impacto no seu FPS. Desabilite alguns Retratos se você encontrar algum problema com FPS." L["If you have any plugins supporting this feature installed you can find them in the selection dropdown to the right."] = "Se você tiver algum plugin suportando esta funcionalidade instalado você pode achá-lo no menu dropdown à direita." -L["If you unlock actionbars then trying to move a spell might instantly cast it if you cast spells on key press instead of key release."] = "Se você destravar as Barras de Ações, tentar mover um feitiço pode fazê-lo ser castado se você casta feitiços ao pressionar a tecla em vez de quando soltá-la." +L["If you unlock actionbars then trying to move a spell might instantly cast it if you cast spells on key press instead of key release."] = "Se você destravar as Barras de Ações, tentar mover um feitiço pode fazê-lo ser lançado se você casta feitiços ao pressionar a tecla em vez de quando soltá-la." L["Ignore mouse events."] = "Ignorar eventos do mouse (rato)." -L["Ignored Items (Global)"] = true -L["Ignored Items (Profile)"] = true +L["Ignored Items (Global)"] = "Itens Ignorados (Global)" +L["Ignored Items (Profile)"] = "Itens Ignorados (Perfil)" L["Import Now"] = "Importar Agora" -L["Import Profile"] = true -L["Import"] = true +L["Import Profile"] = "Importar Perfil" +L["Import"] = "Importar" L["Importing"] = "Importando" -L["In Combat Label"] = true -L["In Combat"] = true -L["In Party"] = true -L["In Pet Battle"] = true -L["In Raid"] = true -L["In Vehicle"] = true +L["In Combat Label"] = "Rótulo em Combate" +L["In Combat"] = "Em Combate" +L["In Party"] = "Em Grupo" +L["In Pet Battle"] = "Em Batalha de Mascote" +L["In Raid"] = "Em Raíde" +L["In Vehicle"] = "Em Veículo" L["Inactivity Timer"] = "Tempo de Inatividade" L["Index"] = "Índice" -L["Indicate whether buffs you cast yourself should be separated before or after."] = "Indica se os buffs que lança em si próprio devem ser separados antes ou depois." -L["Indicator Expiring"] = true -L["Indicator"] = true +L["Indicate whether buffs you cast yourself should be separated before or after."] = "Indica se os bônus que lança em si próprio devem ser separados antes ou depois." +L["Indicator Expiring"] = "Indicador Expirando" +L["Indicator"] = "Indicador" L["Individual Units"] = "Unidades Individuais" L["InfoPanel Border"] = "Borda do Painel de Informações" L["Information Panel"] = "Painel de Informações" @@ -902,110 +901,110 @@ L["Inherit Global Fade"] = "Herdar Desvanecimento Global" L["INSANITY"] = "Insanidade" L["Inscription"] = "Escrivania" L["Inset"] = "Margem" -L["Inspect Data"] = true +L["Inspect Data"] = "Dados de Inspeção" L["Inspect"] = "Inspecionar" -L["Install"] = true +L["Install"] = "Instalar" L["Instance Difficulty"] = "Dificuldade da Instância" L["Instance ID"] = "ID da Instância" L["Instance Type"] = "Tipo da Instância" -L["Instance"] = true +L["Instance"] = "Instância" L["INTERFACE_OPTIONS"] = "Opções de interface" -L["Interrupted"] = true +L["Interrupted"] = "Interrompido" L["Interruptible"] = "Interrompível" L["Invert Colors"] = "Inverter Cores" L["Invert foreground and background colors."] = "Inverter cores do background e do frontground." L["Invert Grouping Order"] = "Inverter a Ordem de Agrupamento" -L["INVTYPE_AMMO"] = "Ammo" -L["INVTYPE_BODY"] = "Shirt" -L["INVTYPE_CHEST"] = "Chest" -L["INVTYPE_CLOAK"] = "Cloak" -L["INVTYPE_FEET"] = "Feet" -L["INVTYPE_FINGER1"] = "Finger 1" -L["INVTYPE_FINGER2"] = "Finger 2" -L["INVTYPE_HAND"] = "Hands" -L["INVTYPE_HEAD"] = "Head" -L["INVTYPE_LEGS"] = "Legs" -L["INVTYPE_NECK"] = "Neck" -L["INVTYPE_RANGED"] = "Ranged" -L["INVTYPE_SHOULDER"] = "Shoulder" -L["INVTYPE_TABARD"] = "Tabard" -L["INVTYPE_TRINKET1"] = "Trinket 1" -L["INVTYPE_TRINKET2"] = "Trinket 2" -L["INVTYPE_WAIST"] = "Waist" -L["INVTYPE_WEAPONMAINHAND"] = "Main Hand" -L["INVTYPE_WEAPONOFFHAND"] = "Off Hand" -L["INVTYPE_WRIST"] = "Wrist" -L["Is Being Resurrected"] = true +L["INVTYPE_AMMO"] = "Munição" +L["INVTYPE_BODY"] = "Camisa" +L["INVTYPE_CHEST"] = "Torso" +L["INVTYPE_CLOAK"] = "Costas" +L["INVTYPE_FEET"] = "Pés" +L["INVTYPE_FINGER1"] = "Dedo 1" +L["INVTYPE_FINGER2"] = "Dedo 2" +L["INVTYPE_HAND"] = "Mãos" +L["INVTYPE_HEAD"] = "Cabeça" +L["INVTYPE_LEGS"] = "Pernas" +L["INVTYPE_NECK"] = "Pescoço" +L["INVTYPE_RANGED"] = "Longo alcance" +L["INVTYPE_SHOULDER"] = "Ombros" +L["INVTYPE_TABARD"] = "Tabardo" +L["INVTYPE_TRINKET1"] = "Berloque 1" +L["INVTYPE_TRINKET2"] = "Berloque 2" +L["INVTYPE_WAIST"] = "Cintura" +L["INVTYPE_WEAPONMAINHAND"] = "Mão principal" +L["INVTYPE_WEAPONOFFHAND"] = "Mão Secundária" +L["INVTYPE_WRIST"] = "Pulsos" +L["Is Being Resurrected"] = "Está sendo Ressuscitado" L["Is Casting Anything"] = "Está castando qualquer coisa" L["Is Channeling Anything"] = "Está canalizando qualquer coisa" -L["Is Charmed"] = true +L["Is Charmed"] = "Está Encantado" L["Is Focused"] = "Está como Foco" -L["Is Pet"] = true -L["Is Possessed"] = true -L["Is PvP"] = true -L["Is Resting"] = true +L["Is Pet"] = "É Mascote" +L["Is Possessed"] = "Está Possuído" +L["Is PvP"] = "É JvJ" +L["Is Resting"] = "Está Descansando" L["Is Targeted"] = "Está como Alvo" L["Is Targeting Player"] = "Está com um Jogador como Alvo" -L["Is Trivial"] = true -L["Island Party Pose"] = true +L["Is Trivial"] = "É trivial" +L["Island Party Pose"] = "Pose do Grupo de Ilha" L["ISLANDS_HEADER"] = "Expedições Insulares" L["Item Count"] = "Contador de Item" -L["Item Info"] = true -L["Item Interaction"] = true +L["Item Info"] = "Informação do Item" +L["Item Interaction"] = "Interação de Item" L["Item Level Threshold"] = "Limiar do Item Level" -L["Item Level"] = true -L["Item Quality"] = true +L["Item Level"] = "Nível de Item" +L["Item Quality"] = "Qualidade de Item" L["Item Upgrade"] = "Aprimorar Item" L["ITEM_BIND_QUEST"] = "Item de missão" L["ITEM_QUALITY3_DESC"] = "Raro" L["ITEM_QUALITY6_DESC"] = "Artefato" L["Items"] = "Itens" -L["Junk Icon"] = true +L["Junk Icon"] = "Ícone de Lixo" L["JustifyH"] = "JustificarH" -L["Keep Size Ratio"] = true +L["Keep Size Ratio"] = "Manter Proporção de Tamanho" L["Key Down"] = "Tecla pressionada" L["Key Modifiers"] = "Modificador de Tecla" -L["Key Ring"] = true +L["Key Ring"] = "Chaveiro" L["KEY_BINDINGS"] = "Teclas de atalho" L["Keybind Mode"] = "Modo de Teclas de Atalho" L["Keybind Text"] = "Texto das Teclas de Atalho" L["Keyword Alert"] = "Alerta de palavra-chave" -L["Keyword Alerts"] = true +L["Keyword Alerts"] = "Alerta de palavra-chave" L["Keywords"] = "Palavras-chave" -L["Known Spells"] = true -L["Label"] = true +L["Known Spells"] = "Feitiços Conhecidos" +L["Label"] = "Rótulo" L["LANGUAGE"] = "Idioma" -L["Large"] = true -L["Larger Font"] = true -L["Larger Outline"] = true -L["Larger Size"] = true +L["Large"] = "Grande" +L["Larger Font"] = "Fonte Maior" +L["Larger Outline"] = "Contorno Maior" +L["Larger Size"] = "Tamanho Maior" L["Latency"] = "Latência" L["Leatherworking"] = "Couraria" -L["Left Alt"] = "Left (esquerdo)" -L["Left Buttons"] = true -L["Left Control"] = true +L["Left Alt"] = "Alt Esquerdo" +L["Left Buttons"] = "Botões Esquerdos" +L["Left Control"] = "Control Esquerdo" L["Left Only"] = "Somente Esquerda" -L["Left Panel Height"] = true -L["Left Panel Width"] = true -L["Left Position"] = true +L["Left Panel Height"] = "Altura do Painel Esquerdo" +L["Left Panel Width"] = "Largura do Painel Esquerdo" +L["Left Position"] = "Posição Esquerda" L["Left Shift"] = "Shift (esquerdo)" L["Left to Right"] = "Esquerda para Direita" -L["Left"] = true +L["Left"] = "Esquerda" L["LEVEL_BOSS"] = "Coloque level -1 para unidades Boss ou coloque 0 para disabilitar." L["LF Guild Frame"] = "Localizador de Guildas" L["LFG Queue"] = "Fila de LFG" L["LFG_TITLE"] = "Procurando grupo" -L["Library Dropdown"] = true +L["Library Dropdown"] = "Menus de Suspensão de Bibliotecas" L["Limit the number of rows or columns."] = "Limitar o número de linhas ou colunas." -L["Lines"] = true +L["Lines"] = "Linhas" L["Link to the latest development version."] = "Link para a última versão de desenvolvimento." -L["Link to the latest PTR version."] = true -L["List of words to color in chat if found in a message. If you wish to add multiple words you must separate the word with a comma. To search for your current name you can use %MYNAME%.\n\nExample:\n%MYNAME%, ElvUI, RBGs, Tank"] = "Lista de palavras a colorir se encontrada numa mensagem. Se desejar adicionar multiplas palavras deverá separa-las com uma vírgula. Para procurar pelo seu nome actual pode usar %MYNAME%.\n\nExemplo:\n%MYNAME%, ElvUI, RBGs, Tank" -L["Load Distance"] = true -L["Loadout Only"] = true +L["Link to the latest PTR version."] = "Link para a última versão de PTR." +L["List of words to color in chat if found in a message. If you wish to add multiple words you must separate the word with a comma. To search for your current name you can use %MYNAME%.\n\nExample:\n%MYNAME%, ElvUI, RBGs, Tank"] = "Lista de palavras a colorir se encontrada numa mensagem. Se desejar adicionar multiplas palavras deverá separa-las com uma vírgula. Para procurar pelo seu nome atual pode usar %MYNAME%.\n\nExemplo:\n%MYNAME%, ElvUI, RBGs, Tank" +L["Load Distance"] = "Distância de Carregamento" +L["Loadout Only"] = "Apenas em Configuração de Equipamento" L["Local Time"] = "Hora Local" L["Location Text"] = "Texto de Localização" -L["Lock Distance Max"] = true +L["Lock Distance Max"] = "Travar Distância Máxima" L["LOCK_ACTIONBAR_TEXT"] = "Travar barra de ações" L["Log Taints"] = "Capturar Problemas" L["Log the main chat frames history. So when you reloadui or log in and out you see the history from your last session."] = "Armazenar o histórico dos quadros principais do bate-papo. Para que possa ver o histórico de sua última sessão ao relogar ou conectar e desconectar." @@ -1013,12 +1012,12 @@ L["Login Message"] = "Mensagem de Entrada" L["Loot Roll"] = "Disputa de Saques" L["Losing Threat"] = "Perdendo Aggro" L["LOSS_OF_CONTROL"] = "Alertas de perda de controle" -L["Low Health Color"] = true -L["Low Health Half"] = true +L["Low Health Color"] = "Cor de Vida Baixa" +L["Low Health Half"] = "Cor de Metade Baixa da Vida" L["Low Health Threshold"] = "Limiar de Vida Baixa" -L["Low Threat"] = "Aggro Baixo" +L["Low Threat"] = "Ameaça Baixo" L["Low Threshold"] = "Baixo Limiar" -L["Low"] = true +L["Low"] = "Baixo" L["Lower numbers mean a higher priority. Filters are processed in order from 1 to 100."] = "Números menores significam maior prioridade. Filtros são processados em ordem de 1 a 100." L["LUNAR_POWER"] = "Poder Astral" L["Macro Text"] = "Texto das Macros" @@ -1029,11 +1028,11 @@ L["Mail Frame"] = "Correio" L["MAIL_LABEL"] = "Correio" L["Main backdrop color of the UI."] = "Cor básica para fundo da interface." L["Main border color of the UI."] = "Cor principal da borda da interface." -L["Main Options"] = true +L["Main Options"] = "Opções Principais" L["Main statusbar texture."] = "Textura princiapal da barra de estado." -L["Major Factions"] = true +L["Major Factions"] = "Facções Maiores" L["Make textures transparent."] = "Deixar as texturas transparentes." -L["Make the unitframe glow when it is below this percent of health."] = true +L["Make the unitframe glow when it is below this percent of health."] = "Faz o quadro de unidade brilhar quanto estiver abaixo desta porcentagem de vida." L["Make the world map smaller."] = "Fazer o Mapa Mundial menor." L["MANA"] = "Mana" L["Map ID"] = "ID do Mapa" @@ -1044,32 +1043,32 @@ L["Mark Quest Reward"] = "Marcar Recompensas de Quests" L["Marks the most valuable quest reward with a gold coin."] = "Marca a recompensa mais valiosa da quest com uma moeda de ouro." L["Masque Support"] = "Suporte ao Masque" L["Masque"] = true -L["Match if Item Name or ID is NOT in the list."] = true +L["Match if Item Name or ID is NOT in the list."] = "Igualar se o Nome do Item ou ID NÃO estiver na lista." L["Match if Name or NPC ID is NOT in the list."] = "Igualar se Nome ou ID do NPC NÃO estiver nesta lista." L["Match Player Level"] = "Igualar nível do jogador" -L["Match this trigger if the spell is not known."] = true -L["Maw Buffs Position"] = true -L["Max Allowed Groups"] = true -L["Max Alpha"] = true -L["Max amount of overflow allowed to extend past the end of the health bar."] = true -L["Max Bars"] = true -L["Max Distance"] = true -L["Max Lines"] = true -L["Max Overflow is set to zero. Absorb Overflows will be hidden when using Overflow style.\nIf used together Max Overflow at zero and Overflow mode will act like Normal mode without the ending sliver of overflow."] = true -L["Max Overflow"] = true +L["Match this trigger if the spell is not known."] = "Igualar este gatilho apenas se o feitiço não for conhecido" +L["Maw Buffs Position"] = "Posição do Bônus da Gorja" +L["Max Allowed Groups"] = "Grupos Máximos Permitidos" +L["Max Alpha"] = "Transparência Máxima" +L["Max amount of overflow allowed to extend past the end of the health bar."] = "Quantidade máxima de sobreposição permitida para extender além do fim da barra de vida." +L["Max Bars"] = "Barras Máximas" +L["Max Distance"] = "Distância Máxima" +L["Max Lines"] = "Linhas Máximas" +L["Max Overflow is set to zero. Absorb Overflows will be hidden when using Overflow style.\nIf used together Max Overflow at zero and Overflow mode will act like Normal mode without the ending sliver of overflow."] = "Sobreposição Máxima não está configurada para azero. A Sobreposição de Absorção será escondida quando estiver utilizando o estilo de Sobreposição.\nSe utilizados juntos a Sobreposição Máxima em zero e a Sobreposição vão agir como o modo Normal sem o traço final da sobreposição." +L["Max Overflow"] = "Sobreposição Máxima" L["Max Wraps"] = "Enrolamentos Máximos" L["Maximum Duration"] = "Duração Máxima" L["Maximum Level"] = "Level Máximo" L["Maximum tick rate allowed for tag updates per second."] = "Taxa máxima de tick permitida para atualizações de Tags por segundo." L["Maximum Time Left"] = "Máximo de Tempo Restante" L["Media"] = "Mídia" -L["Medium"] = true +L["Medium"] = "Médio" L["Merchant Frame"] = "Comerciante" L["Method to sort by."] = "Método de Sorteamento." L["Middle Click - Set Focus"] = "Clique Meio - Defenir foco" -L["Middle clicking the unit frame will cause your focus to match the unit.\n|cffff3333Note:|r If Clique is enabled, this option only effects ElvUI frames if they are not blacklisted in Clique."] = "Clicar com o botão do meio no quadro da unidade fará o foco ser defenido para esta unidade.\n|cffff3333Note:|r Se o Clique estiver activado, esta opção só afecta molduras ElvUI se estas não estiverem na lista negra do Clique." +L["Middle clicking the unit frame will cause your focus to match the unit.\n|cffff3333Note:|r If Clique is enabled, this option only effects ElvUI frames if they are not blacklisted in Clique."] = "Clicar com o botão do meio no quadro da unidade fará o foco ser defenido para esta unidade.\n|cffff3333Note:|r Se o Clique estiver ativado, esta opção só afeta molduras ElvUI se estas não estiverem na lista de bloqueamento do Clique." L["Middle"] = "Meio" -L["Min Alpha"] = true +L["Min Alpha"] = "Transparência Mínima" L["Minimap Buttons"] = "Botões do Minimapa" L["Minimap Mouseover"] = "Passar com o rato(mouse) sobre o minimapa" L["Minimap Panels"] = "Painéis do Minimapa" @@ -1078,96 +1077,96 @@ L["Minimum Duration"] = "Menor Duração" L["Minimum Level"] = "Menor Level" L["Minimum Time Left"] = "Menor Tempo Restante" L["Mining"] = "Minerando" -L["Minions"] = true +L["Minions"] = "Lacaios" L["Minus"] = "Menos" L["Minutes"] = "Minutos" -L["Mirror Timers"] = true +L["Mirror Timers"] = "Barra de Tempos" L["Misc Frames"] = "Quadro de Diversos" -L["Missing Aura"] = true +L["Missing Aura"] = "Aura Faltando" L["Missing"] = "Faltando" L["MM:SS Threshold"] = "Limiar MM:SS" L["MM:SS"] = true L["Model Rotation"] = "Girar o Modelo" -L["Modified Rate"] = true -L["Modifier Count"] = true -L["Modifier for IDs"] = true +L["Modified Rate"] = "Taxa Modificada" +L["Modifier Count"] = "Contador de Modificação" +L["Modifier for IDs"] = "Modificador para IDs" L["Module Control"] = "Controle de Módulo" L["Module Copy"] = "Copiar Módulo" L["Module Reset"] = "Resetar Módulo" L["Monitor"] = true -L["Mouseover Cast Key"] = true +L["Mouseover Cast Key"] = "Tecla de Lançamento ao Pairar o Mouse" L["Mouseover Glow"] = "Brilhar ao Pairar o Mouse" L["Mouseover Highlight"] = "Realçar ao Pairar o Mouse" L["Mouseover"] = "Pairar o Mouse" L["Movers"] = "Movedores" -L["Multi-Monitor Support"] = "Suporte a Multiplos Monitores" -L["Multiple Ranks"] = true +L["Multi-Monitor Support"] = "Suporte a Múltiplos Monitores" +L["Multiple Ranks"] = "Ranques Múltiplos" L["Multiply the backdrops height or width by this value. This is usefull if you wish to have more than one bar behind a backdrop."] = "Multiplicar a altura ou comprimento do fundo por este valor. Muito útil se desejar ter mais que uma barra por trás de um fundo." -L["Must be in group with the player if he isn't on the same server as you."] = true -L["My Guild"] = true -L["Mythic+ Best Run"] = true -L["Mythic+ Data"] = true -L["Mythic+ Score"] = true +L["Must be in group with the player if he isn't on the same server as you."] = "Deve estar em um grupo com o jogador se ele não estiver no mesmo servidor que você." +L["My Guild"] = "Minha Guilda" +L["Mythic+ Best Run"] = "Melhor Corrida de Mítica+" +L["Mythic+ Data"] = "Dados de Mítica+" +L["Mythic+ Score"] = "Pontuação de Mítica+" L["Name Font"] = "Fonte de Nomes" L["Name Only"] = "Apenas Nome" -L["Name Style"] = true -L["Name Taken"] = true +L["Name Style"] = "Estilo de Nome" +L["Name Taken"] = "Nome Tomado" L["Name"] = "Nome" L["Name: Current / Max - Percent"] = "Nome: Atual / Máximo - Porcentagem" L["Name: Current / Max"] = "Nome: Atual / Máximo" L["Name: Percent"] = "Nome: Porcentagem" L["Nameplate At Base"] = "Placas de identificação na Base" L["NamePlate Style Filters"] = "Filtros de Estilo de Placas de identificação" -L["Nameplate Thin Borders"] = true +L["Nameplate Thin Borders"] = "Bordas finas de Placas de Identificação" L["Nameplate"] = "placa de identificação" L["Nameplates"] = "Placas de Identificação" -L["Names"] = true -L["Negative Match"] = true +L["Names"] = "Nomes" +L["Negative Match"] = "Acerto negativo" L["Neutral"] = "Neutro" -L["New Item Glow"] = true -L["New Panel"] = true +L["New Item Glow"] = "Brilho de Item Novo" +L["New Panel"] = "Novo Painel" L["No Alert In Combat"] = "Sem alerta durante combate" -L["No Duration"] = true -L["No Icon"] = true -L["No Label"] = true -L["No NPC Title"] = true +L["No Duration"] = "Sem Duração" +L["No Icon"] = "Sem Ícone" +L["No Label"] = "Sem Rótulo" +L["No NPC Title"] = "Sem Título de NPC" L["No Sorting"] = "Não organizado" -L["No Target"] = true +L["No Target"] = "Sem Alvo" L["Non-Interruptible"] = "Não interrompível" L["Non-Raid Frame"] = "Quadro Não Raide" -L["Non-Target Alpha"] = true -L["Normal Font"] = true -L["Normal Outline"] = true -L["Normal Size"] = true +L["Non-Target Alpha"] = "Transparência de Não Alvo" +L["Normal Font"] = "Fonte Normal" +L["Normal Outline"] = "Contorno Normal" +L["Normal Size"] = "Tamanho Normal" L["Normal"] = true -L["Not Another Players Pet"] = true -L["Not Being Resurrected"] = true +L["Not Another Players Pet"] = "Não é mascote de outro jogador" +L["Not Being Resurrected"] = "Não está sendo Ressuscitado" L["Not Casting Anything"] = "Não castando nada" L["Not Channeling Anything"] = "Não canalizando nada" -L["Not Charmed"] = true +L["Not Charmed"] = "Não Encantado" L["Not Focused"] = "Não é o foco" -L["Not in Party"] = true -L["Not in Raid"] = true -L["Not Known"] = true -L["Not My Guild"] = true -L["Not Owned By Player"] = true -L["Not Pet Battle"] = true -L["Not Pet"] = true -L["Not Player Controlled"] = true -L["Not Possessed"] = true -L["Not PvP"] = true -L["Not Quest Unit"] = true -L["Not Resting"] = true +L["Not in Party"] = "Não está em Grupo" +L["Not in Raid"] = "Não está em Raíde" +L["Not Known"] = "Não Conhecido" +L["Not My Guild"] = "Não é da minha Guilda" +L["Not Owned By Player"] = "Não pertence a outro Jogador" +L["Not Pet Battle"] = "Não é Combate de Mascote" +L["Not Pet"] = "Não é Mascote" +L["Not Player Controlled"] = "Não é controlado por Jogador" +L["Not Possessed"] = "Não está possuído" +L["Not PvP"] = "Não é JxJ" +L["Not Quest Unit"] = "Não é Unidade de Objetivo" +L["Not Resting"] = "Não está Descansando" L["Not Spell"] = "Não é feitiço" -L["Not Tap Denied"] = true +L["Not Tap Denied"] = "Não está Reservado" L["Not Targeted"] = "Não é o alvo" L["Not Targeting Player"] = "Não tem jogador como alvo" -L["Not Trivial"] = true +L["Not Trivial"] = "Não é Trivial" L["Not Usable"] = "Não usável" L["NPC"] = true L["Num Rows"] = "Número de linhas" -L["Number Allowed"] = true -L["Number of DataTexts"] = true +L["Number Allowed"] = "Número Permitido" +L["Number of DataTexts"] = "Número de Textos de Informação" L["Number of Groups"] = "Número de Grupos" L["Number of messages you scroll for each step."] = "Número de mensagens você rola cada vez" L["Number of repeat characters while in combat before the chat editbox is automatically closed."] = "Número de caracteres repetidos enquanto em combate antes da caixa de edição do bate-papo ser automaticamente fechada." @@ -1176,55 +1175,55 @@ L["Objective Frame Height"] = "Altura do Quadro de Objetivos" L["OBJECTIVES_TRACKER_LABEL"] = "Objetivos" L["OBLITERUM_FORGE_TITLE"] = "Forja de Obliterum" L["Off Cooldown"] = "Fora do Tempo de Recarga" -L["Off Tank (Pets)"] = true -L["Off Tank Bad Transition"] = true -L["Off Tank Good Transition"] = true -L["Off Tank"] = true -L["Officer"] = true -L["Offset of the powerbar to the healthbar, set to 0 to disable."] = "A distância entre barra de poder e a barra de vida, definir 0 para desactivar." +L["Off Tank (Pets)"] = "Tanque Secundário (Mascotes)" +L["Off Tank Bad Transition"] = "Transição Ruim de Tanque Secundário" +L["Off Tank Good Transition"] = "Transição Boa de Tanque Secundário" +L["Off Tank"] = "Tanque Secundário" +L["Officer"] = "Oficial" +L["Offset of the powerbar to the healthbar, set to 0 to disable."] = "A distância entre barra de poder e a barra de vida, definir 0 para desativar." L["Offset"] = "Distância" L["On Cooldown"] = "Durante Tempo de Recarga" L["On Me"] = "Em Mim" L["On Pet"] = "Em Pet" -L["On screen positions for different elements."] = true -L["Only Free Slots"] = true -L["Only highlight the aura that originated from you and not others."] = true -L["Only load nameplates for units within this range."] = true -L["Only Low"] = true +L["On screen positions for different elements."] = "Posições na tela para diferentes elementos." +L["Only Free Slots"] = "Apenas Vagas Vazias" +L["Only highlight the aura that originated from you and not others."] = "Apenas destacar a aura que originou de você e não de outros." +L["Only load nameplates for units within this range."] = "Apenas carregar placas de identificação para unidades dentro desta distância." +L["Only Low"] = "Apenas Baixos" L["Only Match SpellID"] = "Apenas Corresponde ao ID do Feitiço" -L["Only show icons instead of specialization names"] = true -L["Only Used Slots"] = true +L["Only show icons instead of specialization names"] = "Apenas mostrar ícones ao invés de nomes de especializações" +L["Only Used Slots"] = "Apenas Vagas Utilizadas" L["OPACITY"] = "Opacidade" L["OPTION_TOOLTIP_ACTION_BUTTON_USE_KEY_DOWN"] = "As ações dos botões serão executadas quando a tecla for pressionada, em vez de quando for solta." L["OPTION_TOOLTIP_TIMESTAMPS"] = "Selecione o formato dos carimbos de hora para mensagens de bate-papo." L["Order Hall Command Bar"] = "Barra de Comandos do Salão da Ordem" -L["Orderhall"] = true -L["Other AddOns"] = true +L["Orderhall"] = "Salão de Classe" +L["Other AddOns"] = "Outros AddOns" L["Other Filter"] = "Outro Filtro" L["Other's First"] = "De outros primeiro" L["Others"] = "Outros" -L["Out of Combat Label"] = true -L["Out of Combat"] = true +L["Out of Combat Label"] = "Rótulo Fora de Combate" +L["Out of Combat"] = "Fora de Combate" L["Out of Power"] = "Sem Poder" L["Out of Range"] = "Fora de Alcance" -L["Out of Vehicle"] = true -L["Over Absorbs"] = true -L["Over Heal Absorbs"] = true -L["Over Health Threshold"] = true -L["Over Power Threshold"] = true -L["Overflow"] = true -L["Overlap Horizontal"] = true -L["Overlap Vertical"] = true -L["Overlay Alpha"] = true -L["Overlay mode is forced when the Frame Orientation is set to Middle."] = true +L["Out of Vehicle"] = "Fora de Veículo" +L["Over Absorbs"] = "Sobre Absorções" +L["Over Heal Absorbs"] = "Sobre Absorções de Cura" +L["Over Health Threshold"] = "Sobre limiar de Vida" +L["Over Power Threshold"] = "Sobre limiar de Poder" +L["Overflow"] = "Sobreposição" +L["Overlap Horizontal"] = "Sobreposição Horizontal" +L["Overlap Vertical"] = "Sobreposição Vertical" +L["Overlay Alpha"] = "Transparência de Sobreposição" +L["Overlay mode is forced when the Frame Orientation is set to Middle."] = "Modo de Sobreposição é forçado quando a Orientação do Quadro estiver em Meio." L["Overlay"] = "Sobrepor" L["Override the default class color setting."] = "Sobrescreve a configuração de cor de classe padrão." -L["Owned By Player"] = true +L["Owned By Player"] = "Possuído por Jogador" L["PAIN"] = "Dor" L["Panel Backdrop"] = "Fundo do Painel" L["Panel Height"] = "Altura do Painel" -L["Panel Options"] = true -L["Panel Snapping"] = true +L["Panel Options"] = "Opções do Painel" +L["Panel Snapping"] = "Encaixe do Painel" L["Panel Texture (Left)"] = "Textura do Painel (Esquerdo)" L["Panel Texture (Right)"] = "Textura do Painel (Direito)" L["Panel Transparency"] = "Transparência do Painel" @@ -1232,36 +1231,36 @@ L["Panel Width"] = "Comprimento do Painel" L["Panels"] = "Painéis" L["Parchment Remover"] = "Removedor de Pergaminho" L["Parent"] = "Parente" -L["Particles"] = true -L["Party / Raid"] = true -L["Party Indicator"] = true +L["Particles"] = "Partículas" +L["Party / Raid"] = "Grupo / Raíde" +L["Party Indicator"] = "Indicador de Grupo" L["Party Only"] = "Apenas Party" -L["Party PVP"] = true -L["Party"] = true +L["Party PVP"] = "Grupo JxJ" +L["Party"] = "Grupo" L["Pause"] = true L["Per Row"] = "Por Linha" L["Percent"] = "Porcentagem" L["Percentage amount for horizontal overlap of Nameplates."] = "Quantidade (porcentagem) para sobreposição horizontal das Placas de identificação" L["Percentage amount for vertical overlap of Nameplates."] = "Quantidade (porcentagem) para sobreposição vertical das Placas de identificação" -L["Perks"] = true +L["Perks"] = "Benefícios" L["Personal"] = "Pessoal" L["Pet Battle"] = "Batalha de Mascote" -L["Pet Group"] = true -L["Pet Happiness"] = true -L["Pet"] = true +L["Pet Group"] = "Grupo de Mascote" +L["Pet Happiness"] = "Felicidade do Mascote" +L["Pet"] = "Mascote" L["Petition Frame"] = "Petição" -L["Pets"] = true +L["Pets"] = "Mascotes" L["PetTarget"] = "Alvo do Pet" L["Phase Indicator"] = "Indicador de Phase" L["PICKUP_ACTION_KEY_TEXT"] = "Botão de ação de saquear" L["Pin Voice Buttons"] = "Pinar Botões de Voz" L["Player Bars"] = "Barras de Jogador" -L["Player Choice Frame"] = true -L["Player Controlled"] = true +L["Player Choice Frame"] = "Quadro de Escolha de Jogador" +L["Player Controlled"] = "Controlado por Jogador" L["Player Frame Aura Bars"] = "Barra de Auras do Quadro do Jogador" L["Player Health"] = "Vida do Jogador" L["Player Power"] = "Poder do Jogador" -L["Player Spell"] = true +L["Player Spell"] = "Feitiço de Jogador" L["Player Target"] = "Alvo do Jogador" L["Player Titles"] = "Títulos dos Jogadores" L["Player"] = "Player" @@ -1283,15 +1282,15 @@ L["Power Threshold"] = "Limiar do Poder" L["Power"] = "Poder" L["POWER_TYPE_ARCANE_CHARGES"] = "Cargas Arcanas" L["POWER_TYPE_ESSENCE"] = "Essência" -L["Prefer Target Color"] = true +L["Prefer Target Color"] = "Preferir Cor do Alvo" L["Prevent the same messages from displaying in chat more than once within this set amount of seconds, set to zero to disable."] = "Prevenir que as mesmas mensagens sejam exibidas no bate-papo mais que uma vez dentro desta quantidade de segundos, definir 0 para desativar." L["Primary Texture"] = "Textura principal" L["Priority"] = "prioridade" L["Private (Character Settings)"] = "Privado (Configurações do Personagem)" -L["Private"] = true +L["Private"] = "Privado" L["Profession Bags"] = "Bolsas de Profissão" -L["Profession Quality"] = true -L["Professions"] = true +L["Profession Quality"] = "Qualidade de Profissão" +L["Professions"] = "Profissão" L["PROFESSIONS_COOKING"] = "Culinária" L["PROFESSIONS_CRAFTING"] = "Criação" L["PROFESSIONS_FISHING"] = "Pesca" @@ -1299,9 +1298,9 @@ L["Profile imported successfully!"] = "Perfil importado com sucesso!" L["Profile Name"] = "Nome do Perfil" L["Profile Specific"] = "Perfil-Específico" L["Profile"] = "Perfil" -L["Profiles"] = true +L["Profiles"] = "Perfis" L["Progress Bar"] = "Barra de Progresso" -L["PTR Version"] = true +L["PTR Version"] = "Versão PTR" L["Puts coordinates on the world map."] = "Colocar Coordenadas no Mapa Mundial" L["PvP & Prestige Icon"] = "Ícones PvP & Prestígio" L["PvP Classification Indicator"] = "Indicador da Classificação PvP" @@ -1309,93 +1308,93 @@ L["PvP Frames"] = "Quadro PxP" L["PvP Indicator"] = "Indicador PvP" L["PvP Text"] = "Texto PvP" L["PVP Trinket"] = "Amuleto de PvP" -L["Quality Background"] = true -L["Quality Itemlevel"] = true -L["Quality Name"] = true -L["Quality StatusBar"] = true -L["Quest Boss"] = "Boss de Quest" -L["Quest Choice"] = "Escolha de Quest" -L["Quest Experience"] = true +L["Quality Background"] = "Qualidade de Fundo" +L["Quality Itemlevel"] = "Qualidade de Nível de Item" +L["Quality Name"] = "Qualidade de Nome" +L["Quality StatusBar"] = "Barra de Qualidade" +L["Quest Boss"] = "Chefe de Objetivo" +L["Quest Choice"] = "Escolha de Objetivo" +L["Quest Experience"] = "Experiência de Objetivo" L["Quest Frames"] = "Quadro de Quests" -L["Quest Icon"] = true -L["Quest Starter Icon"] = "Ícone Iniciar Quest" -L["Quest Starter"] = "Iniciador de Quest" -L["Quest Unit"] = true -L["Quests in Current Zone Only"] = true -L["Quests"] = true -L["Queue Status"] = true +L["Quest Icon"] = "Ícone de Objetivo" +L["Quest Starter Icon"] = "Ícone de Iniciar Objetivo" +L["Quest Starter"] = "Iniciador de Objetivo" +L["Quest Unit"] = "Unidade de Objetivo" +L["Quests in Current Zone Only"] = "Objetivos apenas na Zona Atual" +L["Quests"] = "Objetivos" +L["Queue Status"] = "Estado da Fila" L["Quick Join Messages"] = "Mensagem de entrada-rápida" -L["Quiver / Ammo"] = true +L["Quiver / Ammo"] = "Aljava / Munição" L["RAGE"] = "Raiva" -L["Raid Debuff Indicator"] = "Indicador das Debuffs da Raide" -L["Raid Difficulty"] = "Dificuldade da Raid" -L["Raid Frame"] = "Quadro de Raid" -L["Raid Only"] = "Apenas Raid" -L["Raid Pet"] = "Pet da Raid" -L["Raid Role Indicator"] = true -L["Raid"] = true -L["Raid-Wide Sorting"] = "Ordenação Raid-Largura" -L["RAID_CONTROL"] = "Controle de raides" +L["Raid Debuff Indicator"] = "Indicador das Penalidades da Raíde" +L["Raid Difficulty"] = "Dificuldade da Raíde" +L["Raid Frame"] = "Quadro de Raíde" +L["Raid Only"] = "Apenas Raíde" +L["Raid Pet"] = "Mascotes da Raíde" +L["Raid Role Indicator"] = "Indicador de Papel na Raíde" +L["Raid"] = "Raíde" +L["Raid-Wide Sorting"] = "Ordenação por toda a Raíde" +L["RAID_CONTROL"] = "Controle de raídes" L["RAID_INFO_WORLD_BOSS"] = "Chefe de mundo:" L["Range"] = "Alcance" -L["Rarity Color"] = true -L["Reaction Castbars"] = true -L["Reaction Color"] = true -L["Reaction Colors"] = true -L["Reaction Type"] = true -L["Reaction"] = true +L["Rarity Color"] = "Cor de Raridade" +L["Reaction Castbars"] = "Barras de Lançamentos por Reação" +L["Reaction Color"] = "Cor de Reação" +L["Reaction Colors"] = "Cores de Reações" +L["Reaction Type"] = "Tipo de Reação" +L["Reaction"] = "Reação" L["Reactions"] = "Reações" -L["Ready Check Icon"] = true -L["Reagent"] = true +L["Ready Check Icon"] = "Ícone de Checagem de Prontidão" +L["Reagent"] = "Reagente" L["Remaining / Max"] = "Restante / Máximo" L["Remaining"] = "Restante" -L["Remove a Item Name or ID from the list."] = true +L["Remove a Item Name or ID from the list."] = "Remove um Nome de Item ou ID da lista." L["Remove a Name or NPC ID from the list."] = "Remove um Nome ou ID de NPC da lista." L["Remove Backdrop"] = "Remover Fundo" L["Remove Instance ID"] = "Remover ID da Instância" -L["Remove Item Name or ID"] = true +L["Remove Item Name or ID"] = "Remover Nome de Item ou ID" L["Remove Map ID"] = "Remover ID do Mapa" L["Remove Name or NPC ID"] = "Remover Nome ou ID do NPC" -L["Remove Spell - %s"] = true +L["Remove Spell - %s"] = "Remover Feitiço - %s" L["Remove Spell ID or Name"] = "Remover ID do Feitiço ou Nome" L["Remove Spell"] = "Remover Feitiço" L["Remove Subzone Name"] = "Remover Nome da Subzona" -L["Remove Texture"] = true +L["Remove Texture"] = "Remover Textura" L["Remove Zone Name"] = "Remover Nome da Zona" -L["Renown"] = true +L["Renown"] = "Renome" L["Replace Blizzard Fonts"] = "Substituir Fontes da Blizzard" L["Replace Blizzard's Alternative Power Bar"] = "Substituir Barra de Poder Alternativo da Blizzard" L["Replace Blizzard's Voice Overlay."] = "Substituir Sobreposição de Voz da Blizzard." -L["Replace Combat Font"] = true -L["Replace Font"] = true -L["Replace Name Font"] = true -L["Replace Nameplate Fonts"] = true -L["Replace Text on Me"] = true -L["Replaces the default Blizzard fonts on various panels and frames with the fonts chosen in the Media section of the ElvUI Options. NOTE: Any font that inherits from the fonts ElvUI usually replaces will be affected as well if you disable this. Enabled by default."] = true -L["Replaces the font on Blizzard Nameplates."] = true -L["Replaces the StatusBar texture setting on Unitframes and Nameplates with the primary texture."] = true +L["Replace Combat Font"] = "Substituir Fonte de Combate" +L["Replace Font"] = "Substituir Fonte" +L["Replace Name Font"] = "Substituir Fonte do Nome" +L["Replace Nameplate Fonts"] = "Substituir Fontes das Placas de Identificação" +L["Replace Text on Me"] = "Substituir Texto em Mim" +L["Replaces the default Blizzard fonts on various panels and frames with the fonts chosen in the Media section of the ElvUI Options. NOTE: Any font that inherits from the fonts ElvUI usually replaces will be affected as well if you disable this. Enabled by default."] = "Substituir as fontes padrão da Blizzard em vários painéis com as fontes escolhidas na seção de Mídia das Opções do ElvUI. NOTA: Qualquer fonte que segue as fontes que o ElvUI normalmente substitui também será afetada por isto se você desabilitar. Habilitado por padrão." +L["Replaces the font on Blizzard Nameplates."] = "Substituir a fonte das placas de identificação da Blizzard" +L["Replaces the StatusBar texture setting on Unitframes and Nameplates with the primary texture."] = "Substituir a textura da Barra de Estado dos Quadros de Unidades e Placas de Identificação com a textura primária." L["Reposition Window"] = "Reposicionar Janela" -L["Reputation Alpha"] = true +L["Reputation Alpha"] = "Transparência da Reputação" L["Reputation"] = "Reputação" L["Require All"] = "Requerer Tudo" L["Require holding the Alt key down to move cursor or cycle through messages in the editbox."] = "Requere segurar a tecla ALT para mover or cursor ou percorrer pelas mensagens no box de edição." -L["Require Target"] = true -L["Reset Action Paging"] = true -L["Reset all frames to their original positions."] = true +L["Require Target"] = "Requerer Alvo" +L["Reset Action Paging"] = "Restaurar Paginação de Ação" +L["Reset all frames to their original positions."] = "Restaurar todos os quadros para suas posições originais." L["Reset Aura Filters"] = "Restaurar Filtros de Auras" -L["Reset Chat Position"] = true -L["Reset CVars"] = "Resetar CVars" -L["Reset Editbox History"] = true -L["Reset Filter - %s"] = true -L["Reset filter priority to the default state."] = "Resetar prioridade de filtros para o status padrão." -L["Reset Filter"] = "Resetar Filtro" -L["Reset History"] = true -L["Reset Nameplate CVars to the ElvUI recommended defaults."] = "Resetar CVars das Placas de identificação para o recomendado pelo ElvUI." -L["Reset Priority"] = "Resetar Prioridade" -L["Reset the size and position of this frame."] = true -L["Reset Zoom"] = "Resetar Zoom" +L["Reset Chat Position"] = "Restaurar Posição do Bate-papo" +L["Reset CVars"] = "Restaurar CVars" +L["Reset Editbox History"] = "Restaurar Histórico da Caixa de Edição" +L["Reset Filter - %s"] = "Restaurar Filtro - %s" +L["Reset filter priority to the default state."] = "Restaurar prioridade de filtros para o status padrão." +L["Reset Filter"] = "Restaurar Filtro" +L["Reset History"] = "Restaurar Histórico" +L["Reset Nameplate CVars to the ElvUI recommended defaults."] = "Restaurar CVars das Placas de identificação para o recomendado pelo ElvUI." +L["Reset Priority"] = "Restaurar Prioridade" +L["Reset the size and position of this frame."] = "Restaurar o tamanho e posição deste quadro." +L["Reset Zoom"] = "Restaurar Zoom" L["Rest Icon"] = "ìcone de descansar" -L["Rested Experience"] = true +L["Rested Experience"] = "Experiência de Descanso" L["Restore Bar"] = "Restaurar Barra" L["Restore Defaults"] = "Restaurar ao Padrão" L["Restore the actionbars default settings"] = "Restaurar as configurações padrões das barras de ações" @@ -1405,62 +1404,62 @@ L["Return filter to its default state."] = "Retornar filtro para seu status padr L["Reverse Bag Slots"] = "Inverter Slots da Bolsa" L["Reverse Fill Direction"] = "Inverter Direção de Preenchimento" L["Reverse Fill"] = "Inverter Preenchimento" -L["Reverse Toggle will enable Cooldown Text on this module when the global setting is disabled and disable them when the global setting is enabled."] = true -L["Reverse Toggle"] = true -L["Reverse"] = true +L["Reverse Toggle will enable Cooldown Text on this module when the global setting is disabled and disable them when the global setting is enabled."] = "Inverter a Habilitação vai habilitar o Texto de Recarga deste módulo quando a configuração global estiver desabilitada e irá desabilitá-la quando a configuração global estiver habilitada." +L["Reverse Toggle"] = "Inverter Habilitação" +L["Reverse"] = "Inverter" L["REVERSE_NEW_LOOT_TEXT"] = "Saquear para a Bolsa mais à Esquerda" -L["Reversed"] = true -L["Reward Icon"] = true -L["Reward Position"] = true +L["Reversed"] = "Invertido" +L["Reward Icon"] = "Ìcone de Recompensa" +L["Reward Position"] = "Posição da Recompensa" L["Right Alt"] = "Alt (direito)" L["Right Click Self Cast"] = "CliqueDireito para Castar em si" L["Right Control"] = "Control (direito)" L["Right Only"] = "Somente Direita" L["Right Panel Height"] = "Altura do Painel Direito" L["Right Panel Width"] = "Largura do Painel Direito" -L["Right Position"] = true -L["Right Shift"] = "Shift (esquerdo)" +L["Right Position"] = "Posição Direita" +L["Right Shift"] = "Shift Esquerdo" L["Right to Left"] = "Esquerda para Direita" L["Right"] = "Direita" -L["Role Icon"] = "Ícone do papel" -L["Role Order"] = true +L["Role Icon"] = "Ícone do Papel" +L["Role Order"] = "Ordem de Papel" L["ROLE"] = "Função" -L["Round Timers"] = true -L["Run the installation process."] = true -L["RUNE_BLOOD"] = "Blood Rune" -L["RUNE_CHARGE"] = "Charging Rune" -L["RUNE_DEATH"] = "Death Rune" -L["RUNE_FROST"] = "Frost Rune" -L["RUNE_UNHOLY"] = "Unholy Rune" -L["Runeforge"] = true +L["Round Timers"] = "Tempos Arredondados" +L["Run the installation process."] = "Rodar o processo de instalação" +L["RUNE_BLOOD"] = " Runa de Sangue" +L["RUNE_CHARGE"] = "Runa Carregando" +L["RUNE_DEATH"] = "Runa" +L["RUNE_FROST"] = "Runa Gélida" +L["RUNE_UNHOLY"] = "Runa Profana" +L["Runeforge"] = "Runogravura" L["RUNES"] = "Runas" L["RUNIC_POWER"] = "Poder rúnico" L["Say"] = "Dizer" L["Scale"] = "Escala" L["SCENARIOS"] = "Cenários" -L["School"] = true -L["Scrap Icon"] = true +L["School"] = "Escola" +L["Scrap Icon"] = "Ícone Sucateável" L["SCRAP_BUTTON"] = "Sucatear" L["Scroll Interval"] = "Intervalo de Rolar" -L["Scroll Messages"] = true +L["Scroll Messages"] = "Mensagems de Rolagem" L["Search for a spell name inside of a filter."] = "Procurar por nome de feitiço dentro de um filtro." -L["Search"] = true +L["Search"] = "Procurar" L["Secondary Texture"] = "Textura secundária" L["Seconds"] = "Segundos" -L["Securely Tanking"] = true -L["Seen Textures"] = true +L["Securely Tanking"] = "Tanqueando Seguramente" +L["Seen Textures"] = "Texturas Vistas" L["Select a profile to copy from/to."] = "Selecione um perfil para copiar de -> para." L["Select a unit to copy settings from."] = "Selecione uma unidade para que se copiem as definições!" L["Select Filter"] = "Selecionar filtros" L["Select Spell"] = "Selecionar feitiço" L["Select the display method of the portrait."] = "Seleciona o método de exibição do retrato." -L["Selected Text Color"] = true -L["Selection Health"] = true -L["Selection Power"] = true +L["Selected Text Color"] = "Cor do Texto Selecionado" +L["Selection Health"] = "Vida Selecionada" +L["Selection Power"] = "Poder Selecionado" L["Selection"] = "Seleção" -L["Selector Color"] = true -L["Selector Style"] = true -L["Self Cast Key"] = true +L["Selector Color"] = "Cor de Seletor" +L["Selector Style"] = "Estilo de Seletor" +L["Self Cast Key"] = "Tecla para Autolançamento" L["Sell Interval"] = "Intervalo de Venda" L["Send ADDON_ACTION_BLOCKED errors to the Lua Error frame. These errors are less important in most cases and will not effect your game performance. Also a lot of these errors cannot be fixed. Please only report these errors if you notice a Defect in gameplay."] = "Mandar os erros de AÇÃO do ADDON BLOQUEADA para o quadro de erros de Lua. Estes erros são, na maioria das vezes, pouco importantes e não irão afetar o seu desempenho de jogo. Muitos destes erros nao podem ser reparados. Por favor denuncie estes erros apenas se notar problemas no desempenho do jogo." L["Sends your current profile to your target."] = "Envia seu perfil atual para seu alvo." @@ -1469,13 +1468,13 @@ L["Separate Panel Sizes"] = "Tamanhos de Paineis Separados" L["Separate"] = "Separar" L["Set auras that are not from you to desaturated."] = "Define auras que não são suas para desaturar." L["Set Settings to Default"] = "Define as configurações para o padrão" -L["Set the alpha level of portrait when frame is overlayed."] = true -L["Set the filter type. Blacklist will hide any auras in the list and show all others. Whitelist will show any auras in the filter and hide all others."] = "Define o tipo de filtro. Lista-negra irá esconder qualquer aura nesta lista e mostrar todas as outras. Lista-branca irá apenas mostrar as auras neste filtro e esconder as outras." +L["Set the alpha level of portrait when frame is overlayed."] = "Define o nível de transparência para o retrato quando o quadro estiver sobreposicionado." +L["Set the filter type. Blacklist will hide any auras in the list and show all others. Whitelist will show any auras in the filter and hide all others."] = "Define o tipo de filtro. Lista-negra irá esconder qualquer aura nesta lista e mostrar todas as outras. Lista de Permissão irá apenas mostrar as auras neste filtro e esconder as outras." L["Set the font outline."] = "Definir o contorno de fonte." L["Set the font size for everything in UI. Note: This doesn't effect somethings that have their own separate options (UnitFrame Font, Datatext Font, ect..)"] = "Define o tamanho da fonte para toda a Interface. Nota: Isto nao afeta coisas que tenham suas prórpias opções de fonte (Quadros de Unidade, Textos Informativos, etc..)" L["Set the order that the group will sort."] = "Define a ordem em que o grupo vai se organizar." L["Set the orientation of the UnitFrame."] = "Define a orientação da Placa de identificação." -L["Set the priority order of the spell, please note that prioritys are only used for the raid debuff module, not the standard buff/debuff module. If you want to disable set to zero."] = "Define a ordem prioritária dos feitiços, por favor note que prioridades só são usadas o modo de Debuffs de Raide, não para o modo normal de bônus/Debuffs." +L["Set the priority order of the spell, please note that prioritys are only used for the raid debuff module, not the standard buff/debuff module. If you want to disable set to zero."] = "Define a ordem prioritária dos feitiços, por favor note que prioridades só são usadas o modo de Penalidades de Raide, não para o modo normal de bônus/penalidades." L["Set the size of the individual auras."] = "Definir o tamanho das auras individuais." L["Set the size of your bag buttons."] = "Define o tamanho dos botões das Bolsas" L["Set the type of auras to show when a unit is a foe."] = "Define o tipo de auras a serem mostradas quando a unidade é um inimigo." @@ -1486,65 +1485,65 @@ L["Setup on-screen display of information bars."] = "Setup das barras de informa L["Share Current Profile"] = "Compartilhar Perfil Atual" L["Share Filters"] = "Compartilhar Filtros" L["SHIFT_KEY_TEXT"] = "SHIFT" -L["Short (Whole Numbers Spaced)"] = true -L["Short (Whole Numbers)"] = "Curto (números inteiros" +L["Short (Whole Numbers Spaced)"] = "Curto (Números Inteiros Espacionados)" +L["Short (Whole Numbers)"] = "Curto (Números Inteiros)" L["Short Channels"] = "Abreviar os Canáis" L["SHORT"] = "Pequeno" L["Shortcut to global filters."] = "Atalho para filtros globais" L["Shorten the channel names in chat."] = "Abreviar o nome dos canáis no bate-papo." L["Should tooltip be anchored to mouse cursor"] = "O tooltip deve ser ancorado ao cursor do mouse" -L["Show All Tracking Options"] = true -L["Show an incoming heal prediction bar on the unitframe. Also display a slightly different colored bar for incoming overheals."] = "Mostra a barra de predicção de cura no quadro de unidade. Também exibe uma barra com uma cor ligeiramente diferente para a predicção de sobrecura." +L["Show All Tracking Options"] = "Mostrar Todas as Opções de Rastreamento" +L["Show an incoming heal prediction bar on the unitframe. Also display a slightly different colored bar for incoming overheals."] = "Mostra a barra de predição de cura no quadro de unidade. Também exibe uma barra com uma cor ligeiramente diferente para a predição de sobrecura." L["Show Assigned Color"] = "Mostrar Cores Atribuídas" L["Show Aura From Other Players"] = "Mostrar Auras de outros Jogadores" L["Show Auras"] = "Mostrar Auras" L["Show Badge"] = "Mostrar Distintivo" -L["Show Border"] = true +L["Show Border"] = "Mostrar Borda" L["Show Both"] = "Mostrar Ambos" -L["Show Bubbles"] = true +L["Show Bubbles"] = "Mostrar Bolhas" L["Show clickable Quick Join messages inside of the chat."] = "Mostrar mensagens de entradas-rápidas clicáveis dentro do chat." -L["Show Coins"] = "Mostrar moedas" -L["Show Continent"] = true -L["Show Count"] = true -L["Show Dispellable Debuffs"] = "Mostrar debuffs dissipáveis" -L["Show ElvUI users and their version of ElvUI."] = true -L["Show ElvUI Users"] = true +L["Show Coins"] = "Mostrar Moedas" +L["Show Continent"] = "Mostrar Continente" +L["Show Count"] = "Mostrar Contagem" +L["Show Dispellable Debuffs"] = "Mostrar penalidades dissipáveis" +L["Show ElvUI users and their version of ElvUI."] = "Mostrar usuários do ElvUI e a versão do ElvUI deles." +L["Show ElvUI Users"] = "Mostrar usuários do ElvUI" L["Show Empty Buttons"] = "Mostrar botões vazios" L["Show For DPS"] = "Mostrar para DPS" L["Show For Healers"] = "Mostrar para Healers" L["Show For Tanks"] = "Mostrar para Tanks" L["Show Icon"] = "Mostrar Ícone" L["Show In Combat"] = "Mostrar em Combate" -L["Show Label"] = true -L["Show Max Currency"] = true -L["Show Only Names"] = true +L["Show Label"] = "Mostrar Rótulo" +L["Show Max Currency"] = "Mostrar Moeda Máxima" +L["Show Only Names"] = "Mostrar Apenas Nomes" L["Show PvP Badge Indicator if available"] = "Mostrar Indicador de Distintivo de PvP se disponível" L["Show Quality Color"] = "Mostrar Cor da Qualidade" -L["Show QuestXP"] = true +L["Show QuestXP"] = "Mostrar Experiência de Objetivo" L["Show Special Bags Color"] = "Mostrar Cores de Bolsas Especiais" -L["Show Subzone"] = true -L["Show Text"] = true +L["Show Subzone"] = "Mostrar Subzona" +L["Show Text"] = "Mostrar Texto" L["Show the castbar icon desaturated if a spell is not interruptible."] = "Mostrar o ícone da barra de cast desaturado se um feitiço não for interrompível." L["Show Title"] = "Mostrar Título" L["Show When Not Active"] = "Mostrar Quando Não Ativo" L["Show With Target"] = "Mostrar com Alvo" -L["Show Zone"] = true +L["Show Zone"] = "Mostrar Zona" L["Show"] = "Exibir" L["Show/Hide Test Frame"] = "Mostrar/Esconder Quadro de Teste" -L["Shows a swipe animation when a spell is recharging but still has charges left."] = true -L["Shows item level of each item, enchants, and gems on the character page."] = "Mostra o Item Level de cada item, encantamentos e gemas na página do personagem." -L["Shows item level of each item, enchants, and gems when inspecting another player."] = "Mostra o Item Level de cada item, encantamentos e gemas quando inspecionando outros jogadores." +L["Shows a swipe animation when a spell is recharging but still has charges left."] = "Mostra uma animação de deslizamento quando um feitiço estiver recarregando mas ainda tiver cargas restantes." +L["Shows item level of each item, enchants, and gems on the character page."] = "Mostra o Nível de Item de cada item, encantamentos e gemas na página do personagem." +L["Shows item level of each item, enchants, and gems when inspecting another player."] = "Mostra o Nível de Item de cada item, encantamentos e gemas quando inspecionando outros jogadores." L["Side Arrows"] = "Setas laterais" L["Size and Positions"] = "Tamanhos e Posições" -L["Size Offset"] = true +L["Size Offset"] = "Tamanho Deslocado" L["Size Override"] = "Sobrescrever Tamanho" L["Size"] = "Tamanho" L["Skin Backdrop (No Borders)"] = "Redesenhar o Fundo (sem bordas)" L["Skin Backdrop"] = "Redesenhar o Fundo" L["Skin the blizzard chat bubbles."] = "Redesenhar os balões de conversação da Blizzard" L["Skins"] = "Aparências" -L["Slots"] = true -L["Small"] = true +L["Slots"] = "Vagas" +L["Small"] = "Pequeno" L["Smaller World Map Scale"] = "Escala de Mapa Mundial Menor" L["Smaller World Map"] = "Mapa Mundial Menor" L["Smart Aura Position"] = "Posição de Auras Inteligente" @@ -1552,109 +1551,109 @@ L["Smart Raid Filter"] = "Filtro de Raid inteligente" L["Smart"] = "Inteligente" L["Smooth Bars"] = "Barras suaves" L["Smooth"] = "Suave" -L["Smoothing Amount"] = true +L["Smoothing Amount"] = "Quantidade de Suavização" L["Socket Frame"] = "Engaste" L["Sort By"] = "Ordernar Por" L["Sort Direction"] = "Direção de organização" L["Sort Inverted"] = "Organizar Invertido" L["Sort Method"] = "Método de organização" -L["Sorting"] = true -L["Soul Binds"] = true +L["Sorting"] = "Ordenação" +L["Soul Binds"] = "Vínculo de Alma" L["SOUL_SHARDS"] = "|4Fragmento:Fragmentos; de Alma" -L["Soulbinds"] = true +L["Soulbinds"] = "Vínculos de Almas" L["Spaced"] = "Espaçado" L["Spacing"] = "Espaçamento" L["Spam Interval"] = "Intervalo de Spam" L["Spark"] = "Faísca" L["Spec Icon"] = "Ícone de Especialização" -L["Spec/Loadout"] = true -L["Specializations Only"] = true +L["Spec/Loadout"] = "Especialização/Configuração" +L["Specializations Only"] = "Apenas Especializações" L["SPEED"] = "Velocidade" L["Spell/Item IDs"] = "IDs de Feitiços/Itens" L["SPELLBOOK"] = "Grimório" L["Split"] = "Dividir" L["Stable"] = "Estábulo" -L["Stack Auras"] = true -L["Stack Counter"] = "Contador de Stacks" -L["Stack Threshold"] = "Limiar de Stack" +L["Stack Auras"] = "Empilhar Auras" +L["Stack Counter"] = "Contador de Empilhamento" +L["Stack Threshold"] = "Limiar de Empilhamento" L["Start Near Center"] = "Começar perto do Centro" -L["Status Bar"] = "Barra de Status" -L["StatusBar Color"] = true -L["Statusbar Fill Orientation"] = "Orientação do preenchimento da barra de status" +L["Status Bar"] = "Barra de Estado" +L["StatusBar Color"] = "Cor da Barra de Estado" +L["Statusbar Fill Orientation"] = "Orientação do preenchimento da barra de estado" L["StatusBar Texture"] = "Textura da barra de estado" -L["Statusbar"] = true +L["Statusbar"] = "Barra de Estado" L["Sticky Chat"] = "Lembrar Canal" L["Strata and Level"] = "Camada e Level" L["Style Filter"] = "Filtro de Estilo" L["Style"] = "Estilo" L["Subzone Name"] = "Nome da Subzona" -L["Summon Icon"] = "Ícone de Sumonar" +L["Summon Icon"] = "Ícone de Invocação" L["Support"] = "Suporte & Download" -L["Supported"] = true +L["Supported"] = "Suportado" L["Swap to Alt Power"] = "Mudar para Poder Alternativo" -L["Swapped Alt Power"] = true -L["Swipe: Loss of Control"] = true -L["Swipe: Normal"] = true +L["Swapped Alt Power"] = "Poder Alternativo Mudado" +L["Swipe: Loss of Control"] = "Deslizamento: Perda de Controle" +L["Swipe: Normal"] = "Deslizamento: Normal" L["Tab Font Outline"] = "Contorno da fonte da Guia" L["Tab Font Size"] = "Tamanho da fonte da Guia" L["Tab Font"] = "Fonte da Guia" L["Tab Panel Transparency"] = "Transparência do painel da Guia" L["Tab Panel"] = "Painel da Guia" -L["Tab Panels"] = true -L["Tab Selector"] = true +L["Tab Panels"] = "Abas do Painel" +L["Tab Selector"] = "Seletor de Aba" L["Tabard Frame"] = "Tabardo" -L["Table"] = true -L["Tag Update Rate"] = "Taxa de actualização da Tags." -L["Tagged NPC"] = true +L["Table"] = "Tabela" +L["Tag Update Rate"] = "Taxa de atualização das Tags." +L["Tagged NPC"] = "NPC Reservado" L["TALENTS"] = "Talentos" -L["Talking Head Backdrop"] = true -L["Talking Head Scale"] = true -L["Talking Head"] = true -L["Tank Colors"] = true +L["Talking Head Backdrop"] = "Fundo da Cabeça Falante" +L["Talking Head Scale"] = "Escala da Cabeça Falante" +L["Talking Head"] = "Cabeça Falante" +L["Tank Colors"] = "Cores de Tanques" L["Tank Frames"] = "Quadro do Tanques" -L["Tank Icon"] = true -L["Tank"] = true -L["Tap Denied"] = true +L["Tank Icon"] = "Ícone de Tanque" +L["Tank"] = "Tanque" +L["Tap Denied"] = "Reservação Negada" L["Tapped"] = "Reservado" -L["Target Aura Expiring"] = true -L["Target Aura"] = true -L["Target Group"] = true +L["Target Aura Expiring"] = "Aura do Alvo Expirando" +L["Target Aura"] = "Aura do Alvo" +L["Target Group"] = "Grupo do Alvo" L["Target Indicator Color"] = "Indicador da Cor do Alvo" L["Target Info"] = "Informações do Alvo" -L["Target Marker Icon"] = true +L["Target Marker Icon"] = "Ícone de Marcação de Alvo" L["Target On Mouse-Down"] = "Selecionar ao Pressionar o Mouse" -L["Target Reticle"] = true -L["Target units on mouse down rather than mouse up.\n|cffff3333Note:|r If Clique is enabled, this option only effects ElvUI frames if they are not blacklisted in Clique."] = true +L["Target Reticle"] = "Retículo de Alvo" +L["Target units on mouse down rather than mouse up.\n|cffff3333Note:|r If Clique is enabled, this option only effects ElvUI frames if they are not blacklisted in Clique."] = "Selecionar alvo ao apertar o mouse ao invés de soltar.\n|cffff3333Nota:|r Se o Clique estiver instalado e habilitado, esta opção apenas afetará quadros do ElvUI se eles não estiverem bloqueados no Clique." L["Target"] = "Alvo" L["Target/Low Health Indicator"] = "Indicador de Alvo/Vida Baixa" -L["Targeted Glow"] = true -L["Targeting Sound"] = true -L["Targeting"] = true +L["Targeted Glow"] = "Brilho quando Mirado" +L["Targeting Sound"] = "Som quando obtendo Alvo" +L["Targeting"] = "Mirando" L["TargetTarget"] = "AlvoDoAlvo" L["TargetTargetTarget"] = "AlvoDoAlvoDoAlvo" -L["Template"] = true +L["Template"] = "Modelo" L["Testing:"] = "Testar:" L["Text Color"] = "Cor do Texto" L["Text Fade"] = "Desvanecer Texto" -L["Text Format"] = "Formato de texto" -L["Text Justify"] = true -L["Text Options"] = "Opções de Texto" -L["Text Position"] = true +L["Text Format"] = "Formato do texto" +L["Text Justify"] = "Justificação do Texto" +L["Text Options"] = "Opções do Texto" +L["Text Position"] = "Posição do Texto" L["Text Threshold"] = "Limiar do Texto" -L["Text Toggle On NPC"] = "Texto ligado no NPC" +L["Text Toggle On NPC"] = "Texto Alternado no NPC" L["Text"] = "Texto" -L["Texts"] = true -L["Texture Matching"] = true +L["Texts"] = "Textos" +L["Texture Matching"] = "Textura Igualada" L["Texture"] = "Textura" L["Textured Icon"] = "Ícone Texturizado" L["Textures"] = "Texturas" L["The amount of buttons to display per row."] = "Quantidade de botões a serem exibidos por linha." L["The amount of buttons to display."] = "Quantidade de botões a serem exibidos" -L["The button you must hold down in order to drag an ability to another action button."] = "Botão que deve ser pressionado para permitir o arrastar uma habilidade para outro botão de acção" +L["The button you must hold down in order to drag an ability to another action button."] = "Botão que deve ser pressionado para permitir o arrastar uma habilidade para outro botão de ação" L["The debuff needs to reach this amount of stacks before it is shown. Set to 0 to always show the debuff."] = "O debuff precisa alcançar este montante de stacks antes de aparecer. Coloque 0 para sempre mostrá-lo" -L["The direction that the bag frames be (Horizontal or Vertical)."] = "Direcção em que os quadros das bolsas são (Horizontal ou Vertical)." -L["The direction that the bag frames will grow from the anchor."] = "Direcção para qual as barras crescerão a partir do seu Fixador." -L["The direction the auras will grow and then the direction they will grow after they reach the wrap after limit."] = true +L["The direction that the bag frames be (Horizontal or Vertical)."] = "Direção em que os quadros das bolsas são (Horizontal ou Vertical)." +L["The direction that the bag frames will grow from the anchor."] = "Direção para qual as barras crescerão a partir do seu Fixador." +L["The direction the auras will grow and then the direction they will grow after they reach the wrap after limit."] = "A direção que as auras vão crescer e então a direção que elas vão crescer após chegarem no limite." L["The display format of the currency icons that get displayed below the main bag. (You have to be watching a currency for this to display)"] = "O formato de exibição dos ícones de moeda exibidos abaixo da bolsa principal. (Para isto ser exibido é necessário que selecione Mostrar na Mochila na moeda desejada na aba Moeda dentro do Quadro do Personagem)." L["The display format of the money text that is shown at the top of the main bag."] = "O formato de exibição do texto do dinheiro que é mostrado no topo da bolsa principal." L["The display format of the money text that is shown in the gold datatext and its tooltip."] = "O formato de exibição do texto de dinheiro que é mostrado no textos informativos de ouro e sua tooltip." @@ -1665,7 +1664,7 @@ L["The font that combat text will use. |cffFF3333WARNING: This requires a game r L["The font that the core of the UI will use."] = "Fonte que o núcleo da interface usará." L["The font that the unitframes will use."] = "A fonte que os quadros de unidades usarão." L["The frame is not shown unless you mouse over the frame."] = "A não ser que passe com o rato (mouse) por cima do quadro, este não será mostrado." -L["The height of the action buttons."] = true +L["The height of the action buttons."] = "A Altura dos botões de ação." L["The initial group will start near the center and grow out."] = "O grupo inicial começara perto do centro e crescerá para fora." L["The minimum item level required for it to be shown."] = "O menor item level requerido para que seja mostrado." L["The name you have selected is already in use by another element."] = "O nome que escolheu já está a ser usado noutro elemento." @@ -1677,16 +1676,16 @@ L["The spacing between the backdrop and the buttons."] = "O espaçamento entre o L["The texture that will be used mainly for statusbars."] = "Textura que será usada principalmente para a barras de estado." L["The Thin Border Theme option will change the overall apperance of your UI. Using Thin Border Theme is a slight performance increase over the traditional layout."] = "O Tema de Bordas Finas irá mudar a aparência geral da sua interface. Usar o Tema de Bordas Finas é uma pequena melhoria comparado ao leiatue tradicional." L["The unit prefixes you want to use when values are shortened in ElvUI. This is mostly used on UnitFrames."] = "Os prefixos de unidade que você quer usar quando valores são encurtados pelo ElvUI. Isso é na maioria das vezes usado nos Quadros de Unidades." -L["The width of the action buttons."] = true +L["The width of the action buttons."] = "A largura dos botões de ação." L["These filters don't use a list of spells like the regular filters. Instead they use the WoW API and some code logic to determine if an aura should be allowed or blocked."] = "Estes filtros não usam uma lista de feitiços como filtros normais. Ao invés disso, eles usam o API do WoW e alguma lógica de codificação para determina se uma aura deve ou não ser bloqueada." L["These filters use a list of spells to determine if an aura should be allowed or blocked. The content of these filters can be modified in the Filters section of the config."] = "Estes filtros usam uma lista de feitiços para determinar se uma Aura deve ou não ser bloqueada. O conteúdo desses filtros pode ser modificada nas configurações de Filtros." L["Thin Borders"] = "Bordas Finas" L["This allows you to create a new datatext which will track the currency with the supplied currency ID. The datatext can be added to a panel immediately after creation."] = "Isto permite que você crie Textos de Informaçãso que irão rastrear a moeda com o ID que foi inserido. O Texto de Informação pode ser adicionado ao painel logo após sua criação." -L["This changes the size of the Aura Icon by this value."] = true +L["This changes the size of the Aura Icon by this value."] = "Isto muda o tamanho do Ìcone de Aura por este valor." L["This dictates the size of the icon when it is not attached to the castbar."] = "Isso dita o tamanho do ícone quando não está anexado a barra de cast." L["This feature will allow you to transfer settings to other characters."] = "Este recurso permite enviar sus configurações a outros personagens." L["This is for Customized Icons in your Interface/Icons folder."] = "Isto é para os Ícones Customizados na sua pasta de Interface/Ícones." -L["This list will display any textures Boss Mods have sent to the Boss Mod Auras element during the current session."] = true +L["This list will display any textures Boss Mods have sent to the Boss Mod Auras element during the current session."] = "Esta lista vai mostrar qualquer textura que Boss Mods mandou para o elemento de Aura Boss Mod durante a seção atual." L["This opens the AuraBar Colors filter. These settings affect specific spells."] = "Isto abre o Filtro de Cores das Barras de Aura. Estas configurações afetam feitiços específicos." L["This opens the UnitFrames Color settings. These settings affect all unitframes."] = "Isto abre as configurações de Cor de Quadros de Unidades. Estas configurações afetam TODOS os Quadros de Unidades." L["This option allows the overlay to span the whole health, including the background."] = "Esta opção permite a sobreposição abranger toda a vida, incluindo o background." @@ -1698,14 +1697,14 @@ L["This selects the Chat Frame to use as the output of ElvUI messages."] = "Isto L["This setting controls the size of text in item comparison tooltips."] = "Esta opção controla o tamanho do texto na comparação no tooltip." L["This setting will be updated upon changing stances."] = "Essa configuração atualizará ao trocar posturas." L["This texture will get used on objects like chat windows and dropdown menus."] = "Esta textura será usada em objetos como janelas de bate-papo e menus de suspensão." -L["This uses the IsPlayerSpell API which is only required sometimes."] = true -L["This will allow you to toggle flashing of the time datatext when there are calendar invites."] = true -L["This will join auras together which are normally separated. Example: Bolstering and Force of Nature."] = true +L["This uses the IsPlayerSpell API which is only required sometimes."] = "Isto utiliza a API IsPlayerSpell da Blizzard que só é necessária as vezes." +L["This will allow you to toggle flashing of the time datatext when there are calendar invites."] = "Isto vai permitir que voce alterne o brilho do texto de informação de tempo quando tiver convites para o calendário." +L["This will join auras together which are normally separated. Example: Bolstering and Force of Nature."] = "Isto vai juntar auras que ficam normalmente separadas. Exemplo: Força da Natureza." L["This will override the global cooldown settings."] = "Isto irá sobrescrever as configurações globais de Tempo de Recarga." L["This will pin the voice buttons to the chat's tab panel. Unchecking it will create a voice button panel with a mover."] = "Isto irá pinar os botões de voz no painel de bate-papo. Deselecionar isto irá criar um botão de voz que pode ser movido." L["This will reset the contents of this filter back to default. Any spell you have added to this filter will be removed."] = "Isto irá resetar todo o conteúdo de um filtro de volta para seu padrão. Qualquer feitiço que você adicionou a este filtro será removido." -L["This works like a macro, you can run different situations to get the actionbar to page differently.\n Example: '[combat] 2;'"] = true -L["This works like a macro, you can run different situations to get the actionbar to show/hide differently.\n Example: '[combat] show;hide'"] = true +L["This works like a macro, you can run different situations to get the actionbar to page differently.\n Example: '[combat] 2;'"] = "Isto funciona como uma macro, você pode ter várias situações para ter a barra de ações paginando diferentemente.\nExemplo: '[combat] 2;'" +L["This works like a macro, you can run different situations to get the actionbar to show/hide differently.\n Example: '[combat] show;hide'"] = "Isto funciona como uma macro, você pode ter várias situações para ter a barra de ações mostrando/escondendo diferentemente.\nExemplo: '[combat] show;hide'" L["Display Mode"] = "Modo de Exibição" L["Threat"] = "Aggro" L["Threshold (in minutes) before text is shown in the HH:MM format. Set to -1 to never change to this format."] = "Limiar (em minutos) antes do texto ser mostrado no formato HH:MM. Definir -1 para nunca mudar este formato." @@ -1713,83 +1712,83 @@ L["Threshold (in seconds) before text is shown in the MM:SS format. Set to -1 to L["Threshold before text turns red and is in decimal form. Set to -1 for it to never turn red"] = "Limiar antes do texto se tornar vermelho e em forma décimal. Definir -1 para nunca se tornar vermelho" L["Threshold before the icon will fade out and back in. Set to -1 to disable."] = "Limiar antes do Ícone desvanecer e voltar. Definir -1 para desabilitar." L["Threshold Colors"] = "Cor dos Limiares" -L["Ticket Tracker"] = true +L["Ticket Tracker"] = "Rastreador de Ticket" L["Ticks"] = "Ticks" L["Time Indicator Colors"] = "Cor de Indicadores de Tempo" L["Time Options"] = "Opções de Tempo" L["Time Remaining"] = "Tempo Remanescente" -L["Time Text"] = true +L["Time Text"] = "Tempo de Texto" L["Time To Hold"] = "Tempo para Segurar" L["Time"] = "Tempo" L["TIMEMANAGER_TITLE"] = "Relógio" -L["Timer Only"] = true +L["Timer Only"] = "Apenas Tempo" L["TIMESTAMPS_LABEL"] = "Registro de hora no bate-papo" L["Title will only appear if Name Only is enabled or triggered in a Style Filter."] = "O Título irá apenas aparecer se Apenas Nome estiver habilitado ou ter sido ativado em Estilos de Filtro." -L["Title"] = true +L["Title"] = "Título" L["Toggle 24-hour mode for the time datatext."] = "Ativar formato 24 horas para o texto informativo de hora" L["Toggle Anchors"] = "Mostrar/Ocultar Fixadores" L["Toggle Off While In Combat"] = "Desabilitar durante combate." L["Toggle On While In Combat"] = "Habilitar durante combate." L["Toggle showing of the left and right chat panels."] = "Mostrar/Ocultar os painéis de conversação da esquerda e direita." -L["Toggle the camera spin on the AFK screen."] = true +L["Toggle the camera spin on the AFK screen."] = "Alterna a Rotação da Câmera na tela de AFK." L["Toggle the chat tab panel backdrop."] = "Mostrar/ocultar o fundo da guia do bate-papo." L["Toggle Tutorials"] = "Ativar Tutoriais" -L["Tooltip Body"] = true -L["Tooltip Header"] = true -L["Tooltip Lines"] = true +L["Tooltip Body"] = "Corpo da Dica" +L["Tooltip Header"] = "Cabeçalho da Dica" +L["Tooltip Lines"] = "Linhas da Dica" L["Top Arrow"] = "Seta Superior" L["Top Left"] = "Seta Esquerda" L["Top Panel"] = "Painel Superior" L["Top Right"] = "Superior Direito" L["Top to Bottom"] = "De cima para baixo" L["Top"] = "Superior" -L["Torghast Level Picker"] = true +L["Torghast Level Picker"] = "Escolhedor de Nível do Torghast" L["TOTEM_AIR"] = "Totem do Ar" L["TOTEM_EARTH"] = "Totem da Terra" L["TOTEM_FIRE"] = "Totem do Fogo" L["TOTEM_WATER"] = "Totem da Água" L["Totems"] = "Totens" -L["Tracked Quests Only"] = true -L["Tracking"] = true +L["Tracked Quests Only"] = "Apenas Objetivos Rastreados" +L["Tracking"] = "Rastreando" L["TRADE"] = "Negociar" L["TRADESKILLS"] = "Perícias profissionais" L["Trainer Frame"] = "Instrutores" L["TRANSMOGRIFY"] = "Transmogrificar" -L["Transparency level when not in combat, no target exists, full health, not casting, and no focus target exists."] = true +L["Transparency level when not in combat, no target exists, full health, not casting, and no focus target exists."] = "Nível de transparência quando não estiver em combate, nenhum alvo existir, vida cheia, não estiver lançando, e nenhum foco existir." L["Transparent"] = "Transparente" L["Triggers"] = "Gatilhos" L["Trivial"] = true L["Turtle Color"] = "Cor para Tartaruga" L["Tutorials"] = "Tutoriais" -L["Ultrawide Support"] = true -L["Unconscious"] = true +L["Ultrawide Support"] = "Suporte para Ultrawide" +L["Unconscious"] = "Inconsciente" L["Under Health Threshold"] = "Abaixo do limiar da Vida" L["Under Power Threshold"] = "Abaixo do limiar do Poder" L["Unfriendly"] = "Não-Amigável" -L["Unhappy"] = true -L["Unit Class Color"] = true +L["Unhappy"] = "Infeliz" +L["Unit Class Color"] = "Cor de Classe da Unidade" L["Unit Conditions"] = "Condições da Unidade" -L["Unit Faction"] = true +L["Unit Faction"] = "Facção da Unidade" L["Unit Prefix Style"] = "Estilo de Prefixo de Unidade" L["Unit Target"] = "Alvo da Unidade" L["Unit Type"] = "Tipo de Unidade" -L["Unit"] = true +L["Unit"] = "Unidade" L["UNIT_NAME_PLAYER_TITLE"] = "Títulos" L["UNIT_NAMEPLATES_AUTOMODE"] = "Sempre mostrar placas de nomes" L["UNIT_NAMEPLATES_TYPE_1"] = "Placas de identificação sobrepostas" L["UNIT_NAMEPLATES_TYPE_2"] = "Placas de identificação empilhadas" L["UNIT_NAMEPLATES_TYPES"] = "Tipo de movimento de placas de identificação" -L["Unitframe Thin Borders"] = true -L["Unitframes Border"] = true +L["Unitframe Thin Borders"] = "Bordas Finas dos Quadros de Unidades" +L["Unitframes Border"] = "Bordas dos Quadros de Unidades" L["UnitFrames"] = "Quadro de Unidades" L["Unlock various elements of the UI to be repositioned."] = "Destravar vários elementos da interface para serem reposicionados." L["Up"] = "Acima" -L["Upgrade Icon"] = true -L["URL Links"] = "Links URL" +L["Upgrade Icon"] = "Ìcone de Upgrade" +L["URL Links"] = "Links de URL" L["Usable"] = "Usável" L["Use a more visible flash animation for Auto Attacks."] = "Usar uma animação com flash mais visível para Auto-Ataques." L["Use Alt Key"] = "Usar Tecla Alt" -L["Use Atlas Textures"] = "Usar Texturas Atlas." +L["Use Atlas Textures"] = "Usar Texturas de Atlas." L["Use BattleTag instead of Real ID names in chat. Chat History will always use BattleTag."] = "Usar BattleTag em vez do nome de ID Real no chat. A histórico do chat sempre usará a BattleTag." L["Use Blizzard Cleanup"] = "Usar Limpeza da Blizzard" L["Use class color for the names of players when they are mentioned."] = "Usar cor da classe para nome de jogadores quando eles são mencionados." @@ -1798,36 +1797,36 @@ L["Use coin icons instead of colored text."] = "Usar ícones de moedas em vez de L["Use Custom Backdrop"] = "Usar Backdrop Customizado" L["Use Custom Level"] = "Usar Level Customizado" L["Use Custom Strata"] = "Usar Camada Customizada" -L["Use Dead Backdrop"] = true -L["Use Default"] = "usar Padrão" +L["Use Dead Backdrop"] = "Usar Fundo de Morto" +L["Use Default"] = "Usar Padrão" L["Use drag and drop to rearrange filter priority or right click to remove a filter."] = "Usar arrastar e soltar para rearranjar a prioridade de filtros ou clique-direito para remover um filtro." -L["Use Icons"] = true +L["Use Icons"] = "Usar Ìcones" L["Use Indicator Color"] = "Usar Indicador de Cores" L["Use Instance ID or Name"] = "Usar ID de Instância ou Nome" L["Use Map ID or Name"] = "Usar ID de Mapa ou Nome" -L["Use Modifier for Item Count"] = true -L["Use Off Tank Color when another Tank has threat."] = true +L["Use Modifier for Item Count"] = "Usar Modificador para Contador de Itens" +L["Use Off Tank Color when another Tank has threat."] = "Usar Cor de Tanque Secundário quando outro Tanque tiver Ameaça." L["Use Portrait"] = "Usar Retrato" L["Use Real ID BattleTag"] = "Usar ID Real Battletag" L["Use Shift+LeftClick to toggle between friendly or enemy or normal state. Normal state will allow the filter to be checked on all units. Friendly state is for friendly units only and enemy state is for enemy units."] = true L["Use Static Position"] = "Usar Posição Estática" L["Use Subzone Names"] = "Usar Nomes de Subzonas" L["Use the custom backdrop color instead of a multiple of the main color."] = "Usar a cor de fundo da vida personalizada em vez de um multiplo da cor de vida principal." -L["Use the profile specific filter Aura Indicator (Profile) instead of the global filter Aura Indicator."] = true -L["Use thin borders on certain nameplate elements."] = true +L["Use the profile specific filter Aura Indicator (Profile) instead of the global filter Aura Indicator."] = "Usar filtro específico de perfil para o Indicador de Aura (Perfil) ao invés do filtro global Indicador de Aura." +L["Use thin borders on certain nameplate elements."] = "Usar bordas finas para certos elementos das placas de identificação." L["Use thin borders on certain unitframe elements."] = "Usar Bordas Finas em certos elementos de Quadros de Unidades." L["Use this backdrop color for units that are dead or ghosts."] = "Usar essa cor de backdrop para unidades que estão mortas ou fantasmas." L["Use Threat Color"] = "Usar cor de ameaça" -L["Use Value Color"] = true +L["Use Value Color"] = "Usar Cor de Valor" L["Use Zone Names"] = "Usar Nome de Zonas" -L["Used as Raid Debuff Indicator"] = true -L["Used/Total"] = true -L["Value"] = true +L["Used as Raid Debuff Indicator"] = "Usado como Indicador de Penalidade de Raíde" +L["Used/Total"] = "Usado/Total" +L["Value"] = "Valor" L["Vehicle Exit"] = "Sair do Veículo" L["Vehicle Seat Indicator Size"] = "Indicador de Tamanho de Assento de Veículo" L["Vehicle"] = "Veículo" L["Vendor Gray Detailed Report"] = "Relatório Detalhado de Venda de Cinzentos" -L["Vendor"] = true +L["Vendor"] = "Vendedor" L["Version"] = "Versão" L["Vertical Fill Direction"] = "Direção de Preenchimento Vertical" L["Vertical Spacing"] = "Espaçamento Vertical" @@ -1836,50 +1835,49 @@ L["Visibility State"] = "Estado de Visibilidade" L["Visibility"] = "Visibilidade" L["VOID_STORAGE"] = "Cofre Etéreo" L["WeakAuras"] = true -L["Weekly Rewards"] = true +L["Weekly Rewards"] = "Recompensas Semanais" L["What point to anchor to the frame you set to attach to."] = "Qual é o ponto a fixar ao quadro que você definiu para ser anexado." -L["What to attach the anchor frame to."] = true -L["Whats New"] = true -L["When disabled, the Chat Background color has to be set via Blizzards Chat Tabs Background setting."] = true +L["What to attach the anchor frame to."] = "No que fixar a âncora do quadro." +L["Whats New"] = "O que tem de Novo" +L["When disabled, the Chat Background color has to be set via Blizzards Chat Tabs Background setting."] = "Quando desabilitado, a cor do Fundo do Bate-papo tem que ser configurada através da configuração de Fundo de Bate-papo da Blizzard" L["When enabled it will only show spells that were added to the filter using a spell ID and not a name."] = "Quando habilitado irá apenas mostrar feitiços que foram adicionados ao filtro usando o ID do Feitiço e não o nome." L["When enabled the nameplate will stay visible in a locked position."] = "Quando habilitado a Placa de identificação ficará visível em uma área travada." L["When in a raid group display if anyone in your raid is targeting the current tooltip unit."] = "Exibe se alguém em sua raide tem como alvo a unidade da tooltip." L["When opening the Chat Editbox to type a message having this option set means it will retain the last channel you spoke in. If this option is turned off opening the Chat Editbox should always default to the SAY channel."] = "Ter esta opção ativada significa que sempre que escrever algo será usado o último canal no qual escreveu. Se a opção estiver desativada escreverá sempre no canal padrão DIZER" -L["When this is enabled, Low Health Threshold colors will not be displayed while targeted."] = true +L["When this is enabled, Low Health Threshold colors will not be displayed while targeted."] = "Quando estiver habilitado, as cores do Limiar de Vida Baixa não vão ser exibidas quando estiver mirado." L["When true, the header includes the player when not in a raid."] = "Quando verdade, o cabeçalho inclui o jogador quando não está em Raide." L["When using Static Position, this option also requires the target to be attackable."] = "Quando usando Posição Estática, essa opção também requere que o alvo seja atacável." L["When you go AFK display the AFK screen."] = "Quando você ficar AFK mostrar a tela AFK." -L["Whisper"] = true -L["Whitelist"] = "Lista Branca" +L["Whisper"] = "Sussurro" +L["Whitelist"] = "Lista de Permissão" L["Width Multiplier"] = "Multiplicador de Comprimento" L["Width"] = "Comprimento" L["Wiki:"] = true L["Will attempt to sell another item in set interval after previous one was sold."] = "Irá tentar vender outro item num intervalo definido após o anterior ter sido vendido." -L["Will display mana when main power is:"] = true -L["Will show Buffs in the Debuff position when there are no Debuffs active, or vice versa."] = "Irá mostrar Buffs na posição de Debuffs quando não tiver Debuffs ativo, ou vice-versa." +L["Will display mana when main power is:"] = "Irá mostrar mana quando o poder principal for:" +L["Will show Buffs in the Debuff position when there are no Debuffs active, or vice versa."] = "Irá mostrar Bônus na posição de Penalidades quando não tiver Penalidades ativas, ou vice-versa." L["Word Wrap"] = "Enrolar Palavras" -L["World Latency"] = true +L["World Latency"] = "Latência do Mundo" L["World Map Coordinates"] = "Coordenadas do Mapa Mundial" L["WORLD_MAP"] = "Mapa do Mundo" L["Wrap After"] = "Enrolar depois" -L["Wrapped"] = true +L["Wrapped"] = "Embrulhado" L["X-Offset"] = "Distância X" -L["XP Quest Percent"] = true +L["XP Quest Percent"] = "Porcentagem de XP do Objetivo" L["Y-Offset"] = "Distância Y" L["Yell"] = "Gritar" -L["You are about to reset paging. Are you sure?"] = true +L["You are about to reset paging. Are you sure?"] = "Você está a prestes de restaurar a paginação. Você tem certeza?" L["You are going to copy settings for |cffD3CF00\"%s\"|r from your current |cff4beb2c\"%s\"|r profile to |cff4beb2c\"%s\"|r profile. Are you sure?"] = "Você irá copiar as configurações para |cffD3CF00\"%s\"|r do seu atual perfil |cff4beb2c\"%s\"|r para o perfil |cff4beb2c\"%s\"|r. Você tem certeza?" L["You are going to copy settings for |cffD3CF00\"%s\"|r from |cff4beb2c\"%s\"|r profile to your current |cff4beb2c\"%s\"|r profile. Are you sure?"] = "Você irá copiar as configurações para |cffD3CF00\"%s\"|r do perfil |cff4beb2c\"%s\"|r para seu atual perfil |cff4beb2c\"%s\"|r. Você tem certeza?" L["You cannot copy settings from the same unit."] = "Você não pode copiar as configurações da mesma unidade." -L["You cannot copy settings from the same unit."] = true L["You do not need to use Is Casting Anything or Is Channeling Anything for these spells to trigger."] = "You não precisa usar Está Castando Qualquer Coisa ou Está Canalizando Qualquer Coisa para esses feitiços desencadearem." L["You must be targeting a player."] = "É necessário ter um jogador como alvo." L["Your Auras First"] = "Suas auras primeiro" -L["Zone Button"] = true +L["Zone Button"] = "Botão de Zona" L["Zone Name"] = "Nome da Zona" -L["|cffFF3333This does not work in Instances or Garrisons!|r"] = true -L["|cffFF3333This is for information. This will not change the tags in the UI.|r"] = true -L["|cffFF3333Warning:|r Changing options in this section will apply to all Aura Indicator auras. To change only one Aura, please click \"Configure Auras\" and change that specific Auras settings. If \"Profile Specific\" is selected it will apply to that filter set."] = true +L["|cffFF3333This does not work in Instances or Garrisons!|r"] = "|cffFF3333Isto não funciona em Instâncias ou Guarnições!|r" +L["|cffFF3333This is for information. This will not change the tags in the UI.|r"] = "|cffFF3333Isto é para informação. Isto não irá mudar as tags na IU.|r" +L["|cffFF3333Warning:|r Changing options in this section will apply to all Aura Indicator auras. To change only one Aura, please click \"Configure Auras\" and change that specific Auras settings. If \"Profile Specific\" is selected it will apply to that filter set."] = "|cffFF3333Aviso:|r Mudar as opções nesta seção irá aplicar para todos os Indicadores de Aura. Para mudar para apenas uma Aura, por favor clique \"Configurar Auras\" e mude as configurações daquela Aura específica. Se \"Específico para Perfil\" estiver selecionado ele irá aplicar para aquele filtro." L["|cffFF3333Warning:|r Click the arrow on the dropdown box to see a list of spells."] = "|cffFF3333Aviso:|r Clique na seta na caixa de suspensão para ver a lista de feitiços." L["|cffFF3333Warning:|r Enable and Number of Groups are managed by Smart Raid Filter. Disable Smart Raid Filter in (UnitFrames - General) to change these settings."] = "|cffFF3333Aviso:|r O botão Habilitar e Número dos Grupos são gerenciados pelo Filtro de Raide Inteligente. Disabilite o Filtro de Raide Inteligente em (Quadro de Unidades - Geral) para mudar essas configurações." @@ -1904,22 +1902,22 @@ L["RAID_TARGET_8"] = "Caveira" ---------------------------------- L["BlizzardNameplate"] = "Placas de identificação Blizzard" -L["blockCastByPlayers"] = "[Bloquear] Castado por Jogadores" +L["blockCastByPlayers"] = "[Bloquear] Lançado por Jogadores" L["blockDispellable"] = "[Bloquear] Dissipável" L["blockNoDuration"] = "[Bloquear] Sem Duração" L["blockNonPersonal"] = "[Bloquear] Não Pessoal" L["blockNotDispellable"] = "[Bloquear] Não Dissipável" -L["blockMount"] = "[Bloquear] Mount" -L["Mount"] = true -L["CastByNPC"] = "Castado por NPC" -L["CastByPlayers"] = "Castado por Jogador" -L["CastByUnit"] = "Castado por Unidade" +L["blockMount"] = "[Bloquear] Montaria" +L["Mount"] = "Montaria" +L["CastByNPC"] = "Lançado por NPC" +L["CastByPlayers"] = "Lançado por Jogador" +L["CastByUnit"] = "Lançado por Unidade" L["Dispellable"] = "Dissipável" -L["MyPet"] = "MeuPet" +L["MyPet"] = "MeuMascote" L["nonPersonal"] = "Não Pessoal" -L["notCastByUnit"] = "Não Castado pela Unidade" +L["notCastByUnit"] = "Não Lançado pela Unidade" L["notDispellable"] = "Não Dissipável" -L["OtherPet"] = "OutroPet" +L["OtherPet"] = "OutroMascote" L["Personal"] = "Pessoal" ---------------------------------- @@ -1947,26 +1945,26 @@ Example: Interface\AddOns\ElvUI\Core\Media\Textures\Copy Para a maioria dos usuários seria mais fácil simplesmente copiar o ficheiro tga na pasta do WoW e depois escrever o nome dele aqui.]=] ---------- FilterHelp ---------- -L["*Whitelists:|r ^Boss, Mount, MyPet, OtherPet, Personal, nonPersonal, CastByUnit, notCastByUnit, Dispellable (includes steal-able), notDispellable, CastByNPC, CastByPlayers, BlizzardNameplate|r"] = true -L["*Blacklists:|r ^blockMount, blockNonPersonal, blockCastByPlayers, blockNoDuration, blockDispellable, blockNotDispellable | A blacklist filter is only effective against filters that come after it in the priority list. It will not block anything from the filters before it.|r"] = true -L["^A blacklist filter is only effective against filters that come after it in the priority list. It will not block anything from the filters before it."] = true -L["*Boss:|r ^Auras (debuffs only?) cast by a boss unit.|r"] = true -L["*Mount:|r ^Auras which are classified as mounts.|r"] = true -L["*Personal:|r ^Auras cast by yourself.|r"] = true -L["*nonPersonal:|r ^Auras cast by anyone other than yourself.|r"] = true -L["*CastByUnit:|r ^Auras cast by the unit of the unitframe or nameplate (so on target frame it only shows auras cast by the target unit).|r"] = true -L["*notCastByUnit:|r ^Auras cast by anyone other than the unit of the unitframe or nameplate.|r"] = true -L["*Dispellable:|r ^Auras you can either dispel or spellsteal.|r"] = true -L["*CastByNPC:|r ^Auras cast by any NPC.|r"] = true -L["*CastByPlayers:|r ^Auras cast by any player-controlled unit (so no NPCs).|r"] = true -L["*blockCastByPlayers:|r ^Blocks any aura that is cast by player-controlled units (so will only show auras cast by NPCs).|r"] = true -L["*blockNoDuration:|r ^Blocks any aura without a duration.|r"] = true -L["*blockNonPersonal:|r ^Blocks any aura that is not cast by yourself.|r"] = true -L["*Show Everything:|r ^Set 'Max Duration' to 0 & Leave Priority List Empty or (1) Personal | (2) nonPersonal"] = true -L["*Block Blacklisted Auras, Show Everything Else:|r ^(1) Blacklist| (2) Personal | (3) nonPersonal"] = true -L["*Block Auras Without Duration, Show Everything Else:|r ^(1) blockNoDuration | (2) Personal | (3) nonPersonal"] = true -L["*Block Auras Without Duration, Block Blacklisted Auras, Show Everything Else:|r ^(1) blockNoDuration | (2) Blacklist | (3) Personal | (4) nonPersonal"] = true -L["*Block Everything, Except Your Own Auras:|r ^(1) Personal"] = true -L["*Block Everything, Except Whitelisted Auras:|r ^(1) Whitelist"] = true -L["*Block Everything, Except Whitelisted Auras That Are Cast By Yourself:|r ^(1) blockNonPersonal | (2) Whitelist"] = true +L["*Whitelists:|r ^Boss, Mount, MyPet, OtherPet, Personal, nonPersonal, CastByUnit, notCastByUnit, Dispellable (includes steal-able), notDispellable, CastByNPC, CastByPlayers, BlizzardNameplate|r"] = "*Lista de Permissão:|r ^Chefe, Montaria, MeuMascote, OutroMascote, Pessoal, Não Pessoal, Lançado por Unidade, Não Lançado pela Unidade, Dissipável (incluindo roubável), não Dissipável, Lançado por NPC, Lançado por Jogador, Placas de identificação Blizzard|r" +L["*Blacklists:|r ^blockMount, blockNonPersonal, blockCastByPlayers, blockNoDuration, blockDispellable, blockNotDispellable | A blacklist filter is only effective against filters that come after it in the priority list. It will not block anything from the filters before it.|r"] = "*Lista de Bloqueamento:|r ^[Bloquear] Montaria, [Bloquear] Não Pessoal, [Bloquear] Lançado por Jogadores, [Bloquear] Sem Duração, [Bloquear] Dissipável, [Bloquear] Não Dissipável | Um filtro de lista de bloqueamento só é eficaz contra filtros que vem depois dele na lista de prioridade. Ele não vai bloquear nada de filtros antes dele.|r" +L["^A blacklist filter is only effective against filters that come after it in the priority list. It will not block anything from the filters before it."] = "^Um filtro de lista de bloqueamento só é eficaz contra filtros que vem depois dele na lista de prioridade. Ele não vai bloquear nada de filtros antes dele." +L["*Boss:|r ^Auras (debuffs only?) cast by a boss unit.|r"] = "*Chefe:|r ^Auras (apenas penalidades?) lançadas por uma unidade chefe.|r" +L["*Mount:|r ^Auras which are classified as mounts.|r"] = "*Montaria:|r ^Auras que são classificadas como montarias.|r" +L["*Personal:|r ^Auras cast by yourself.|r"] = "*Pessoal:|r ^Auras lançadas por você.|r" +L["*nonPersonal:|r ^Auras cast by anyone other than yourself.|r"] = "*Não Pessoal:|r ^Auras lançadas por outros que não forem você.|r" +L["*CastByUnit:|r ^Auras cast by the unit of the unitframe or nameplate (so on target frame it only shows auras cast by the target unit).|r"] = "*Lançado por Unidade:|r ^Auras lançadas pela unidade do quadro de unidade ou placa de identificação (então em um quadro de alvo ela apenas mostra auras lançadas pela unidade alvo).|r" +L["*notCastByUnit:|r ^Auras cast by anyone other than the unit of the unitframe or nameplate.|r"] = "*Não Lançado pela Unidade:|r ^Auras lançadas por qualquer outra unidade que não for a unidade do quadro de unidades ou placa de identificação.|r" +L["*Dispellable:|r ^Auras you can either dispel or spellsteal.|r"] = "*Dissipável:|r ^Auras que você pode dissipar ou roubar.|r" +L["*CastByNPC:|r ^Auras cast by any NPC.|r"] = "*Lançado por NPC:|r ^Auras lançadas por qualquer NPC.|r" +L["*CastByPlayers:|r ^Auras cast by any player-controlled unit (so no NPCs).|r"] = "*Lançado por Jogador:|r ^Auras lançadas por qualquer unidade controlada por jogador (então nenhum NPC).|r" +L["*blockCastByPlayers:|r ^Blocks any aura that is cast by player-controlled units (so will only show auras cast by NPCs).|r"] = "*[Bloquear] Lançado por Jogadores:|r ^Bloqueia qualquer aura que for lançada por unidade controlada por jogador (então vai mostrar apenas auras lançadas por NPCs).|r" +L["*blockNoDuration:|r ^Blocks any aura without a duration.|r"] = "*[Bloquear] Sem Duração:|r ^Bloqueia qualquer aura que não tiver duração.|r" +L["*blockNonPersonal:|r ^Blocks any aura that is not cast by yourself.|r"] = "*[Bloquear] Não Pessoal:|r ^Bloqueia qualquer aura que não for lançada por você.|r" +L["*Show Everything:|r ^Set 'Max Duration' to 0 & Leave Priority List Empty or (1) Personal | (2) nonPersonal"] = "*Mostrar Tudo:|r ^Configure 'Duração Máxima' para 0 e Deixe a Lista de Prioridades Vazia ou com (1) Pessoal | (2) Não Pessoal" +L["*Block Blacklisted Auras, Show Everything Else:|r ^(1) Blacklist| (2) Personal | (3) nonPersonal"] = "*Bloquear Auras Bloqueadas, Mostrar Todas as Outras:|r ^(1) Lista de Bloqueamento| (2) Pessoal | (3) Não Pessoal" +L["*Block Auras Without Duration, Show Everything Else:|r ^(1) blockNoDuration | (2) Personal | (3) nonPersonal"] = "*Bloquear Auras sem Duração, Mostrar Todas as Outras:|r ^(1) [Bloquear] Sem Duração | (2) Pessoal | (3) Não Pessoal" +L["*Block Auras Without Duration, Block Blacklisted Auras, Show Everything Else:|r ^(1) blockNoDuration | (2) Blacklist | (3) Personal | (4) nonPersonal"] = "*Bloquear Auras sem Duração, Bloquear Auras Bloqueadas, Mostrar Todas as Outraws:|r ^(1) [Bloquear] Sem Duração | (2) Lista de Bloqueamento | (3) Pessoal | (4) Não Pessoal" +L["*Block Everything, Except Your Own Auras:|r ^(1) Personal"] = "*Bloquear Tudo, Exceto Suas Próprias Auras:|r ^(1) Pessoal" +L["*Block Everything, Except Whitelisted Auras:|r ^(1) Whitelist"] = "*Bloquear Tudo, Exceto Auras Permitidas:|r ^(1) Lista de Permissão" +L["*Block Everything, Except Whitelisted Auras That Are Cast By Yourself:|r ^(1) blockNonPersonal | (2) Whitelist"] = "*Bloquear Tudo, Exceto Auras Permitidas Que Forem Lançadas por Você:|r ^(1) [Bloquear] Não Pessoal | (2) Lista de Permissão" ----------------------------------