diff --git a/superset/connectors/druid/models.py b/superset/connectors/druid/models.py index 6c4f8ee73..40a42872b 100644 --- a/superset/connectors/druid/models.py +++ b/superset/connectors/druid/models.py @@ -80,18 +80,13 @@ class DruidCluster(Model, AuditMixinNullable, ImportMixin): verbose_name = Column(String(250), unique=True) # short unique name, used in permissions cluster_name = Column(String(250), unique=True) - coordinator_host = Column(String(255)) - coordinator_port = Column(Integer, default=8081) - coordinator_endpoint = Column( - String(255), default='druid/coordinator/v1/metadata') broker_host = Column(String(255)) broker_port = Column(Integer, default=8082) broker_endpoint = Column(String(255), default='druid/v2') metadata_last_refreshed = Column(DateTime) cache_timeout = Column(Integer) - export_fields = ('cluster_name', 'coordinator_host', 'coordinator_port', - 'coordinator_endpoint', 'broker_host', 'broker_port', + export_fields = ('cluster_name', 'broker_host', 'broker_port', 'broker_endpoint', 'cache_timeout') update_from_object_fields = export_fields export_children = ['datasources'] @@ -135,7 +130,7 @@ class DruidCluster(Model, AuditMixinNullable, ImportMixin): def get_druid_version(self): endpoint = self.get_base_url( - self.coordinator_host, self.coordinator_port) + '/status' + self.broker_host, self.broker_port) + '/status' return json.loads(requests.get(endpoint).text)['version'] @property diff --git a/superset/connectors/druid/views.py b/superset/connectors/druid/views.py index c67e3fcf6..18c1aef0d 100644 --- a/superset/connectors/druid/views.py +++ b/superset/connectors/druid/views.py @@ -158,8 +158,7 @@ class DruidClusterModelView(SupersetModelView, DeleteMixin, YamlExportMixin): # edit_title = _('Edit Druid Cluster') add_columns = [ - 'verbose_name', 'coordinator_host', 'coordinator_port', - 'coordinator_endpoint', 'broker_host', 'broker_port', + 'verbose_name', 'broker_host', 'broker_port', 'broker_endpoint', 'cache_timeout', 'cluster_name', ] edit_columns = add_columns @@ -167,9 +166,6 @@ class DruidClusterModelView(SupersetModelView, DeleteMixin, YamlExportMixin): # search_columns = ('cluster_name',) label_columns = { 'cluster_name': _('Cluster'), - 'coordinator_host': _('Coordinator Host'), - 'coordinator_port': _('Coordinator Port'), - 'coordinator_endpoint': _('Coordinator Endpoint'), 'broker_host': _('Broker Host'), 'broker_port': _('Broker Port'), 'broker_endpoint': _('Broker Endpoint'), diff --git a/superset/migrations/versions/46f444d8b9b7_remove_coordinator_from_druid_cluster_.py b/superset/migrations/versions/46f444d8b9b7_remove_coordinator_from_druid_cluster_.py new file mode 100644 index 000000000..87fd1e6e5 --- /dev/null +++ b/superset/migrations/versions/46f444d8b9b7_remove_coordinator_from_druid_cluster_.py @@ -0,0 +1,31 @@ +"""remove_coordinator_from_druid_cluster_model.py + +Revision ID: 46f444d8b9b7 +Revises: 4ce8df208545 +Create Date: 2018-11-26 00:01:04.781119 + +""" + +# revision identifiers, used by Alembic. +revision = '46f444d8b9b7' +down_revision = '4ce8df208545' + +from alembic import op +import sqlalchemy as sa +import logging + + +def upgrade(): + try: + op.drop_column('clusters', 'coordinator_host') + op.drop_column('clusters', 'coordinator_endpoint') + op.drop_column('clusters', 'coordinator_port') + except Exception as e: + # Sqlite does not support drop column + logging.warning(str(e)) + + +def downgrade(): + op.add_column('clusters', sa.Column('coordinator_host', sa.String(length=256), nullable=True)) + op.add_column('clusters', sa.Column('coordinator_port', sa.Integer(), nullable=True)) + op.add_column('clusters', sa.Column('coordinator_endpoint', sa.String(length=256), nullable=True)) diff --git a/superset/translations/de/LC_MESSAGES/messages.json b/superset/translations/de/LC_MESSAGES/messages.json index 21bc2a074..ca4eadbd9 100644 --- a/superset/translations/de/LC_MESSAGES/messages.json +++ b/superset/translations/de/LC_MESSAGES/messages.json @@ -1891,15 +1891,6 @@ "Cluster": [ "" ], - "Coordinator Host": [ - "" - ], - "Coordinator Port": [ - "" - ], - "Coordinator Endpoint": [ - "" - ], "Broker Host": [ "" ], diff --git a/superset/translations/de/LC_MESSAGES/messages.po b/superset/translations/de/LC_MESSAGES/messages.po index 59077e21a..9ded4365d 100644 --- a/superset/translations/de/LC_MESSAGES/messages.po +++ b/superset/translations/de/LC_MESSAGES/messages.po @@ -2826,18 +2826,6 @@ msgstr "Druid Cluster bearbeiten" msgid "Cluster" msgstr "" -#: superset/connectors/druid/views.py:144 -msgid "Coordinator Host" -msgstr "" - -#: superset/connectors/druid/views.py:145 -msgid "Coordinator Port" -msgstr "" - -#: superset/connectors/druid/views.py:146 -msgid "Coordinator Endpoint" -msgstr "" - #: superset/connectors/druid/views.py:147 msgid "Broker Host" msgstr "" diff --git a/superset/translations/en/LC_MESSAGES/messages.po b/superset/translations/en/LC_MESSAGES/messages.po index a861350db..c49b6eb1f 100644 --- a/superset/translations/en/LC_MESSAGES/messages.po +++ b/superset/translations/en/LC_MESSAGES/messages.po @@ -4105,18 +4105,6 @@ msgstr "" msgid "Cluster" msgstr "" -#: superset/connectors/druid/views.py:172 -msgid "Coordinator Host" -msgstr "" - -#: superset/connectors/druid/views.py:173 -msgid "Coordinator Port" -msgstr "" - -#: superset/connectors/druid/views.py:174 -msgid "Coordinator Endpoint" -msgstr "" - #: superset/connectors/druid/views.py:175 msgid "Broker Host" msgstr "" @@ -7134,15 +7122,6 @@ msgstr "" #~ msgid "Cluster" #~ msgstr "" -#~ msgid "Coordinator Host" -#~ msgstr "" - -#~ msgid "Coordinator Port" -#~ msgstr "" - -#~ msgid "Coordinator Endpoint" -#~ msgstr "" - #~ msgid "Broker Host" #~ msgstr "" diff --git a/superset/translations/es/LC_MESSAGES/messages.json b/superset/translations/es/LC_MESSAGES/messages.json index a816579bc..1f0d3b0fe 100644 --- a/superset/translations/es/LC_MESSAGES/messages.json +++ b/superset/translations/es/LC_MESSAGES/messages.json @@ -1891,15 +1891,6 @@ "Cluster": [ "Cluster" ], - "Coordinator Host": [ - "" - ], - "Coordinator Port": [ - "" - ], - "Coordinator Endpoint": [ - "" - ], "Broker Host": [ "" ], diff --git a/superset/translations/es/LC_MESSAGES/messages.po b/superset/translations/es/LC_MESSAGES/messages.po index 93f29a3d1..efcff9b0e 100644 --- a/superset/translations/es/LC_MESSAGES/messages.po +++ b/superset/translations/es/LC_MESSAGES/messages.po @@ -2959,18 +2959,6 @@ msgstr "Editar Cluster Druid" msgid "Cluster" msgstr "Cluster" -#: superset/connectors/druid/views.py:144 -msgid "Coordinator Host" -msgstr "Host Coordinador" - -#: superset/connectors/druid/views.py:145 -msgid "Coordinator Port" -msgstr "Puerto Coordinador" - -#: superset/connectors/druid/views.py:146 -msgid "Coordinator Endpoint" -msgstr "Coordinador Endpoint" - #: superset/connectors/druid/views.py:147 msgid "Broker Host" msgstr "Host Broker" diff --git a/superset/translations/fr/LC_MESSAGES/messages.json b/superset/translations/fr/LC_MESSAGES/messages.json index 3973eb8cb..5f7d7407d 100644 --- a/superset/translations/fr/LC_MESSAGES/messages.json +++ b/superset/translations/fr/LC_MESSAGES/messages.json @@ -2761,15 +2761,6 @@ "Cluster": [ "Cluster" ], - "Coordinator Host": [ - "Hôte du coordinator" - ], - "Coordinator Port": [ - "Port du coordinator" - ], - "Coordinator Endpoint": [ - "Endpoint du coordinator" - ], "Broker Host": [ "Hôte du Broker" ], diff --git a/superset/translations/fr/LC_MESSAGES/messages.po b/superset/translations/fr/LC_MESSAGES/messages.po index 878b7692c..547e14154 100644 --- a/superset/translations/fr/LC_MESSAGES/messages.po +++ b/superset/translations/fr/LC_MESSAGES/messages.po @@ -4114,18 +4114,6 @@ msgstr "Éditer une cluster Druid" msgid "Cluster" msgstr "Cluster" -#: superset/connectors/druid/views.py:172 -msgid "Coordinator Host" -msgstr "Hôte du coordinator" - -#: superset/connectors/druid/views.py:173 -msgid "Coordinator Port" -msgstr "Port du coordinator" - -#: superset/connectors/druid/views.py:174 -msgid "Coordinator Endpoint" -msgstr "Endpoint du coordinator" - #: superset/connectors/druid/views.py:175 msgid "Broker Host" msgstr "Hôte du Broker" diff --git a/superset/translations/it/LC_MESSAGES/messages.json b/superset/translations/it/LC_MESSAGES/messages.json index 90e38551d..71378d40e 100644 --- a/superset/translations/it/LC_MESSAGES/messages.json +++ b/superset/translations/it/LC_MESSAGES/messages.json @@ -2572,15 +2572,6 @@ "Cluster": [ "Cluster" ], - "Coordinator Host": [ - "Host Coordinatore" - ], - "Coordinator Port": [ - "Porta Coordinatore" - ], - "Coordinator Endpoint": [ - "Endpoint Coordinatore" - ], "Broker Host": [ "Host Broker" ], diff --git a/superset/translations/it/LC_MESSAGES/messages.po b/superset/translations/it/LC_MESSAGES/messages.po index f383e14d5..a97c968f0 100644 --- a/superset/translations/it/LC_MESSAGES/messages.po +++ b/superset/translations/it/LC_MESSAGES/messages.po @@ -3844,18 +3844,6 @@ msgstr "" msgid "Cluster" msgstr "Cluster" -#: superset/connectors/druid/views.py:165 -msgid "Coordinator Host" -msgstr "Host Coordinatore" - -#: superset/connectors/druid/views.py:166 -msgid "Coordinator Port" -msgstr "Porta Coordinatore" - -#: superset/connectors/druid/views.py:167 -msgid "Coordinator Endpoint" -msgstr "Endpoint Coordinatore" - #: superset/connectors/druid/views.py:168 msgid "Broker Host" msgstr "Host Broker" diff --git a/superset/translations/ja/LC_MESSAGES/messages.json b/superset/translations/ja/LC_MESSAGES/messages.json index 5960a0987..ea5fddf13 100644 --- a/superset/translations/ja/LC_MESSAGES/messages.json +++ b/superset/translations/ja/LC_MESSAGES/messages.json @@ -1909,15 +1909,6 @@ "Cluster": [ "" ], - "Coordinator Host": [ - "" - ], - "Coordinator Port": [ - "" - ], - "Coordinator Endpoint": [ - "" - ], "Broker Host": [ "" ], diff --git a/superset/translations/ja/LC_MESSAGES/messages.po b/superset/translations/ja/LC_MESSAGES/messages.po index df1618511..a106f9289 100644 --- a/superset/translations/ja/LC_MESSAGES/messages.po +++ b/superset/translations/ja/LC_MESSAGES/messages.po @@ -2851,18 +2851,6 @@ msgstr "" msgid "Cluster" msgstr "" -#: superset/connectors/druid/views.py:144 -msgid "Coordinator Host" -msgstr "" - -#: superset/connectors/druid/views.py:145 -msgid "Coordinator Port" -msgstr "" - -#: superset/connectors/druid/views.py:146 -msgid "Coordinator Endpoint" -msgstr "" - #: superset/connectors/druid/views.py:147 msgid "Broker Host" msgstr "" diff --git a/superset/translations/messages.pot b/superset/translations/messages.pot index 09c3e3692..290e07075 100644 --- a/superset/translations/messages.pot +++ b/superset/translations/messages.pot @@ -4104,18 +4104,6 @@ msgstr "" msgid "Cluster" msgstr "" -#: superset/connectors/druid/views.py:172 -msgid "Coordinator Host" -msgstr "" - -#: superset/connectors/druid/views.py:173 -msgid "Coordinator Port" -msgstr "" - -#: superset/connectors/druid/views.py:174 -msgid "Coordinator Endpoint" -msgstr "" - #: superset/connectors/druid/views.py:175 msgid "Broker Host" msgstr "" diff --git a/superset/translations/pt/LC_MESSAGES/message.po b/superset/translations/pt/LC_MESSAGES/message.po index 45286c6cc..6c8b4631d 100644 --- a/superset/translations/pt/LC_MESSAGES/message.po +++ b/superset/translations/pt/LC_MESSAGES/message.po @@ -3289,18 +3289,6 @@ msgstr "Editar Cluster Druid" msgid "Cluster" msgstr "Cluster" -#: superset/connectors/druid/views.py:142 -msgid "Coordinator Host" -msgstr "Anfitrião Coordenador" - -#: superset/connectors/druid/views.py:143 -msgid "Coordinator Port" -msgstr "Porta Coordenador" - -#: superset/connectors/druid/views.py:144 -msgid "Coordinator Endpoint" -msgstr "Endpoint Coordenador" - #: superset/connectors/druid/views.py:145 #, fuzzy msgid "Broker Host" diff --git a/superset/translations/pt/LC_MESSAGES/messages.json b/superset/translations/pt/LC_MESSAGES/messages.json index e4273a4a6..9483848ea 100644 --- a/superset/translations/pt/LC_MESSAGES/messages.json +++ b/superset/translations/pt/LC_MESSAGES/messages.json @@ -1 +1 @@ -{"domain":"superset","locale_data":{"superset":{"":{"domain":"superset","lang":"pt"},"Time Column":["Coluna de tempo"],"second":["segundo"],"minute":["minuto"],"hour":["hora"],"day":["dia"],"week":["semana"],"month":["mês"],"quarter":["trimestre"],"year":["ano"],"week_start_monday":["semana_inicio_segunda_feira"],"week_ending_saturday":["semana_fim_sábado"],"week_start_sunday":["semana_inicio_domingo"],"5 minute":["5 minutos"],"half hour":["meia hora"],"10 minute":["10 minutos"],"[Superset] Access to the datasource %(name)s was granted":["[Superset] O acesso à origem dos dados %(name)s foi concedido"],"Viz is missing a datasource":["Viz está sem origem de dados"],"From date cannot be larger than to date":["Data de inicio não pode ser posterior à data de fim"],"Table View":["Vista de tabela"],"Pick a granularity in the Time section or uncheck 'Include Time'":["Escolha uma granularidade na secção Tempo ou desmarque 'Incluir hora'"],"Choose either fields to [Group By] and [Metrics] or [Columns], not both":["Escolha apenas entre os campos [Agrupar por] e [Métricas] ou o campo [Colunas]"],"Time Table View":["Visualização da tabela de tempo"],"Pick at least one metric":["Selecione pelo menos uma métrica"],"When using 'Group By' you are limited to use a single metric":["Utilizando 'Agrupar por' só é possível utilizar uma única métrica"],"Pivot Table":["Tabela Pivot"],"Please choose at least one \"Group by\" field ":["Selecione pelo menos um campo \"Agrupar por\" "],"Please choose at least one metric":["Selecione pelo menos uma métrica"],"'Group By' and 'Columns' can't overlap":["Os campos 'Agrupar por' e 'Colunas' não se podem sobrepor"],"Markup":["Marcação"],"Separator":["Separador"],"Word Cloud":["Nuvem de palavras"],"Treemap":["Treemap"],"Calendar Heatmap":["Calendário com Mapa de Calor"],"Box Plot":["Box Plot"],"Bubble Chart":["Gráfico de bolhas"],"Pick a metric for x, y and size":["Selecione uma métrica para x, y e tamanho"],"Bullet Chart":["Gráfico de bala"],"Pick a metric to display":["Selecione uma métrica para visualizar"],"Big Number with Trendline":["Número grande com linha de tendência"],"Pick a metric!":["Selecione uma métrica!"],"Big Number":["Número grande"],"Time Series - Line Chart":["Série Temporal - Gráfico de linhas"],"Pick a time granularity for your time series":["Selecione uma granularidade para as suas séries temporais"],"Time Series - Dual Axis Line Chart":["Série Temporal - Gráfico de linha de dois eixos"],"Pick a metric for left axis!":["Selecione uma métrica para o eixo esquerdo!"],"Pick a metric for right axis!":["Selecione uma métrica para o eixo direito!"],"Please choose different metrics on left and right axis":["Selecione métricas diferentes para o eixo esquerdo e direito"],"Time Series - Bar Chart":["Série Temporal - Gráfico de barras"],"Time Series - Percent Change":["Série Temporal - Variação Percentual"],"Time Series - Stacked":["Série Temporal - Barras Sobrepostas"],"Distribution - NVD3 - Pie Chart":["Distribuição - NVD3 - Gráfico de Queijos"],"Histogram":["Histograma"],"Must have one numeric column specified":["Deve ser especificada uma coluna númerica"],"Distribution - Bar Chart":["Gráfico de barras"],"Can't have overlap between Series and Breakdowns":["Não pode haver sobreposição entre Séries e Desagregação"],"Pick at least one field for [Series]":["Escolha pelo menos um campo para [Séries]"],"Sunburst":["Sunburst"],"Sankey":["Sankey"],"Pick exactly 2 columns as [Source / Target]":["Selecione exatamente 2 colunas [Origem e Alvo]"],"Pick exactly 2 columns to 'Group By'":["Selecione exatamente 2 colunas para 'Agrupar por'"],"Country Map":["Mapa de País"],"World Map":["Mapa Mundo"],"Filters":["Filtros"],"Pick at least one filter field":["Selecione pelo menos um filtro"],"iFrame":["iFrame"],"Parallel Coordinates":["Coordenadas paralelas"],"Heatmap":["Mapa de Calor"],"Horizon Charts":["Gráfico de Horizonte"],"Mapbox":["Mapbox"],"Must have a [Group By] column to have 'count' as the [Label]":["Deve ter uma coluna [Agrupar por] para ter 'count' como [Label]"],"Choice of [Label] must be present in [Group By]":["A escolha do [Rótulo] deve estar presente em [Agrupar por]"],"Choice of [Point Radius] must be present in [Group By]":["A escolha de [Ponto de Raio] deve estar presente em [Agrupar por]"],"[Longitude] and [Latitude] columns must be present in [Group By]":["As colunas [Longitude] e [Latitude] devem estar presentes em [Agrupar por]"],"Event flow":["Fluxo de eventos"],"Time Series - Paired t-test":["Série temporal - teste emparelhado T"],"Partition Diagram":["Diagrama de Partição"],"Failed at retrieving results from the results backend":["O carregamento dos resultados a partir do backend falhou"],"Could not connect to server":["Não foi possível ligar ao servidor"],"Your session timed out, please refresh your page and try again.":["A sua sessão expirou, atualize sua página e tente novamente."],"Error occurred while fetching table metadata":["Ocorreu um erro ao carregar os metadados da tabela"],"shared query":["query partilhada"],"Pick a chart type!":["Selecione um tipo de gráfico!"],"To use this chart type you need at least one column flagged as a date":["Para usar este tipo de gráfico deve selecionar pelo menos uma coluna do tipo data"],"To use this chart type you need at least one dimension":["Para usar este tipo de gráfico deve selecionar pelo menos uma dimensão"],"To use this chart type you need at least one aggregation function":["Para usar este tipo de gráfico deve ser selecionada pelo menos uma função de agregação"],"Untitled Query":["Query sem título"],"Copy of %s":["Cópia de %s"],"share query":["partilhar query"],"copy URL to clipboard":["copiar URL para a área de transferência"],"Source SQL":["Fonte SQL"],"SQL":["SQL"],"No query history yet...":["Ainda não há histórico de queries ..."],"It seems you don't have access to any database":["Parece que não tem acesso a nenhuma base de dados"],"Search Results":["Procurar Resultados"],"[From]-":["[A partir de]-"],"[To]-":["[Para]-"],"[Query Status]":["[Estado da Query]"],"Search":["Pesquisa"],"Open in SQL Editor":["Abrir no Editor SQL"],"view results":["ver resultados"],"Data preview":["Pré-visualização de dados"],"Visualize the data out of this query":["Visualize os dados desta query"],"Overwrite text in editor with a query on this table":["Substitua texto no editor com uma query nesta tabela"],"Run query in a new tab":["Executar a query em nova aba"],"Remove query from log":["Remover query do histórico"],".CSV":[".CSV"],"Visualize":["Visualize"],"Table":["Tabela"],"was created":["foi criado"],"Query in a new tab":["Query numa nova aba"],"Fetch data preview":["Obter pré-visualização de dados"],"Loading...":["A carregar..."],"Stop":["Parar"],"Undefined":["Indefinido"],"Description":["Descrição"],"Write a description for your query":["Escreva uma descrição para sua consulta"],"Save":["Salvar"],"Cancel":["Cancelar"],"Save Query":["Gravar query"],"Preview for %s":["Pré-visualização para %s"],"Results":["Resultados"],"new table name":["novo nome da tabela"],"Error while fetching table list":["Erro ao carregar lista de tabelas"],"Error while fetching database list":["Erro ao carregar a lista de base de dados"],"Database:":["Base de dados:"],"Select a database":["Selecione uma base de dados"],"Add a table (%s)":["Adicione uma tabela (%s)"],"Type to search ...":["Escreva para pesquisar ..."],"Reset State":["Repor Estado"],"Enter a new title for the tab":["Insira um novo título para a aba"],"close tab":["fechar aba"],"rename tab":["renomear aba"],"expand tool bar":["expandir barra de ferramentas"],"hide tool bar":["ocultar barra de ferramentas"],"Copy partition query to clipboard":["Copiar query de partição para a área de transferência"],"latest partition:":["última partição:"],"Keys for table":["Chaves para tabela"],"View keys & indexes (%s)":["Ver chaves e índices (%s)"],"Sort columns alphabetically":["Ordenar colunas por ordem alfabética"],"Original table column order":["Ordenação original das colunas"],"Copy SELECT statement to clipboard":["Copiar a instrução SELECT para a área de transferência"],"Remove table preview":["Remover pré-visualização de tabela"],"AS my_alias":["AS my_alias"],"using only alphanumeric characters and underscores":["usando apenas caracteres alfanuméricos e sublinhados"],"Chart Type":["Tipo de gráfico"],"[Chart Type]":["[Tipo de gráfico]"],"Datasource Name":["Nome da origem de dados"],"datasource name":["nome da origem de dados"],"Create a new slice":["Crie uma nova visualização"],"Choose a datasource":["Escolha uma origem de dados"],"Choose a visualization type":["Escolha um tipo de visualização"],"Create new slice":["Crie uma nova visualização"],"Select ...":["Selecione ..."],"Loaded data cached":["Dados carregados em cache"],"Loaded from cache":["Carregado da cache"],"Click to force-refresh":["Clique para forçar atualização"],"Copy to clipboard":["Copiar para área de transferência"],"Not successful":["Não foi bem sucedido"],"Sorry, your browser does not support copying. Use Ctrl / Cmd + C!":["Desculpe, o seu navegador não suporta 'copiar'. Use Ctrl+C ou Cmd+C!"],"Copied!":["Copiado!"],"Title":["Título"],"click to edit title":["clique para editar o título"],"You don't have the rights to alter this title.":["Não tem direitos para alterar este título."],"Click to favorite/unfavorite":["Clique para tornar favorito"],"You have unsaved changes.":["Existem alterações por gravar."],"Click the":["Clique no"],"button on the top right to save your changes.":["botão no canto superior direito para gravar alterações."],"Served from data cached %s . Click to force refresh.":["Carregado a partir de dados em cache %s. Clique para forçar atualização."],"Click to force refresh":["Clique para forçar atualização"],"Error":["Erro"],"Sorry, there was an error adding slices to this dashboard: %s":["Desculpe, houve um erro ao adicionar visualizações a este dashboard: %s"],"Active Dashboard Filters":["Filtros Dashboard Ativo"],"Checkout this dashboard: %s":["Verificar dashboard: %s"],"Force refresh the whole dashboard":["Forçar atualização do dashboard"],"Edit this dashboard's properties":["Editar propriedades do dashboard"],"Load a template":["Carregue um modelo"],"Load a CSS template":["Carregue um modelo CSS"],"CSS":["CSS"],"Live CSS Editor":["Editor CSS em tempo real"],"Don't refresh":["Não atualize"],"10 seconds":["10 segundos"],"30 seconds":["30 segundos"],"1 minute":["1 minuto"],"5 minutes":["5 minutos"],"Refresh Interval":["Intervalo de atualização"],"Choose the refresh frequency for this dashboard":["Escolha a frequência de atualização para este dashboard"],"This dashboard was saved successfully.":["Dashboard gravado com sucesso."],"Sorry, there was an error saving this dashboard: ":["Desculpe, houve um erro ao gravar este dashbard: "],"You must pick a name for the new dashboard":["Escolha um nome para o novo dashboard"],"Save Dashboard":["Gravar Dashboard"],"Overwrite Dashboard [%s]":["Substituir Dashboard [%s]"],"Save as:":["Gravar como:"],"[dashboard name]":["[Nome do dashboard]"],"Name":["Nome"],"Viz":["Viz"],"Modified":["Modificado"],"Add Slices":["Adicionar visualizações"],"Add a new slice to the dashboard":["Adicionar nova visualização ao dashboard"],"Add Slices to Dashboard":["Adicionar visualizações ao dashboard"],"Move chart":["Mover gráfico"],"Force refresh data":["Forçar atualização de dados"],"Toggle chart description":["Alternar descrição do gráfico"],"Edit chart":["Editar gráfico"],"Export CSV":["Exportar CSV"],"Explore chart":["Explorar gráfico"],"Remove chart from dashboard":["Remover gráfico do dashboard"],"is expected to be a number":["deve ser um número"],"is expected to be an integer":["deve ser um número inteiro"],"cannot be empty":["não pode estar vazio"],"%s - untitled":["%s - sem título"],"Edit slice properties":["Editar propriedades da visualização"],"description":["descrição"],"bolt":["parafuso"],"Changing this control takes effect instantly":["Esta edição tem efeito instantâneo"],"Error...":["Erro..."],"Query":["Query"],"Height":["Altura"],"Width":["Largura"],"Export to .json":["Exportar para .json"],"Export to .csv format":["Exportar para o formato .csv"],"Please enter a slice name":["Por favor insira um nome para a visualização"],"Please select a dashboard":["Por favor selecione um dashboard"],"Please enter a dashboard name":["Por favor insira um nome para o dashboard"],"Save A Slice":["Grave uma visualização"],"Overwrite slice %s":["Substitua a visualização %s"],"Save as":["Gravar como"],"[slice name]":["[nome da visualização]"],"Do not add to a dashboard":["Não adicione a um dashboard"],"Add slice to existing dashboard":["Adicione uma visualização ao dashboard existente"],"Add to new dashboard":["Adicionar ao novo dashboard"],"Save & go to dashboard":["Gravar e ir para o dashboard"],"Check out this slice: %s":["Verificar visualização: %s"],"`Min` value should be numeric or empty":["O valor `Min` deve ser numérico ou vazio"],"`Max` value should be numeric or empty":["O valor `Max` deve ser numérico ou vazio"],"Min":["Mín"],"Max":["Máx"],"Something went wrong while fetching the datasource list":["O carregamento da origem de dados falhou"],"Click to point to another datasource":["Clique para indicar outra origem de dados"],"Edit the datasource's configuration":["Edite a configuração da origem de dados"],"Select a datasource":["Selecione uma origem de dados"],"Search / Filter":["Pesquisa / Filtro"],"Filter value":["Valor de filtro"],"Select metric":["Selecione métrica"],"Select column":["Selecione coluna"],"Select operator":["Selecione operador"],"Add Filter":["Adicionar filtro"],"Error while fetching data":["O carregamento de dados falhou"],"Select %s":["Selecione %s"],"textarea":["textarea"],"Edit":["Editar"],"in modal":["em modal"],"Select a visualization type":["Selecione um tipo de visualização"],"Updating chart was stopped":["A atualização do gráfico parou"],"An error occurred while rendering the visualization: %s":["Ocorreu um erro ao renderizar a visualização: %s"],"Perhaps your data has grown, your database is under unusual load, or you are simply querying a data source that is to large to be processed within the timeout range. If that is the case, we recommend that you summarize your data further.":["Talvez a quantidade de dados tenha aumentado, a base de dados está em sobrecarga anormal, ou está simplesmente a consultar uma origem de dados grande demais para ser processada dentro do intervalo de tempo limite. Se for esse o caso, recomendamos que sintetize mais os seus dados."],"Network error.":["Erro de rede."],"A reference to the [Time] configuration, taking granularity into account":["Uma referência à configuração [Time], levando em consideração a granularidade"],"Group by":["Agrupar por"],"One or many controls to group by":["Um ou vários controles para agrupar"],"Datasource":["Fonte de dados"],"Visualization Type":["Tipo de Visualização"],"The type of visualization to display":["O tipo de visualização a ser exibida"],"Metrics":["Métricas"],"One or many metrics to display":["Uma ou várias métricas para exibir"],"Percentage Metrics":["Métricas percentuais"],"Metrics for which percentage of total are to be displayed":["Métricas para qual porcentagem do total deve ser exibida"],"Y Axis Bounds":["Limites para o Eixo Y"],"Bounds for the Y axis. When left empty, the bounds are dynamically defined based on the min/max of the data. Note that this feature will only expand the axis range. It won't narrow the data's extent.":["Limites para o eixo Y. Quando deixados vazios, os limites são definidos dinamicamente com base no min / max dos dados. Observe que esse recurso expandirá apenas o alcance do eixo. Não restringirá a extensão dos dados."],"Ordering":["Encomenda"],"Annotation Layers":["Camadas de anotação"],"Annotation layers to overlay on the visualization":["Camadas de anotação para sobreposição na visualização"],"Select a annotation layer":["Selecione uma camada de anotação"],"Error while fetching annotation layers":["Erro ao buscar camadas de anotações"],"Metric":["Métrica"],"Choose the metric":["Escolha a métrica"],"Right Axis Metric":["Metric do Eixo Direito"],"Choose a metric for right axis":["Escolha uma métrica para o eixo direito"],"Stacked Style":["Estilo empilhado"],"Sort X Axis":["Ordenar Eixo X"],"Sort Y Axis":["Ordenar Eixo Y"],"Linear Color Scheme":["Esquema de cores lineares"],"Normalize Across":["Normalize em função de"],"Color will be rendered based on a ratio of the cell against the sum of across this criteria":["A cor será renderizada com base em uma proporção da célula contra a soma de este critério"],"Horizon Color Scale":["Horizon Color Scale"],"Defines how the color are attributed.":["Define como a cor é atribuída."],"Rendering":["Renderização"],"image-rendering CSS attribute of the canvas object that defines how the browser scales up the image":["atributo CSS de renderização de imagem do objeto de tela que define como o navegador aumenta a imagem"],"XScale Interval":["Intervalo eixo XX"],"Number of steps to take between ticks when displaying the X scale":["Número de passos a seguir entre os tiques ao exibir a escala X"],"YScale Interval":["Intervalo eixo YY"],"Number of steps to take between ticks when displaying the Y scale":["Número de passos a seguir entre os tiques ao exibir a escala Y"],"Include Time":["Incluir Hora"],"Whether to include the time granularity as defined in the time section":["Se deve incluir a granularidade do tempo conforme definido na seção de tempo"],"Show percentage":["Mostrar percentagem"],"Stacked Bars":["Barras empilhadas"],"Show totals":["Mostrar totais"],"Display total row/column":["Exibir linha / coluna total"],"Show Markers":["Mostrar marcadores"],"Show data points as circle markers on the lines":["Mostrar pontos de dados como marcadores de círculo nas linhas"],"Bar Values":["Mostrar valores das barras"],"Show the value on top of the bar":["Mostrar o valor em cima da barra"],"Sort Bars":["Classificar barras"],"Sort bars by x labels.":["Classifique barras pelas etiquetas do eixo xx."],"Combine Metrics":["Combinar métricas"],"Display metrics side by side within each column, as opposed to each column being displayed side by side for each metric.":["Exibir métricas lado a lado dentro de cada coluna, em oposição a cada coluna ser exibida lado a lado por cada métrica."],"Extra Controls":["Controlos Extra"],"Whether to show extra controls or not. Extra controls include things like making mulitBar charts stacked or side by side.":["Mostrar controlos extra ou não. Este tipo de controlo incluem fazer gráficos barras empilhadas ou lado a lado."],"Reduce X ticks":["Reduzir eixo dos xx"],"Reduces the number of X axis ticks to be rendered. If true, the x axis wont overflow and labels may be missing. If false, a minimum width will be applied to columns and the width may overflow into an horizontal scroll.":["Reduz o número de entradas do eixo XX a serem renderizadas. Se for verdade, o eixo xx não ficará sobrecarregado mas algumas etiquetas podem não aparecer. Se for falso, uma largura mínima será aplicada às colunas e a largura pode ficar sobrecarregada passando para um scroll horizontal."],"Include Series":["Incluir Séries"],"Include series name as an axis":["Incluir o nome da série como um eixo"],"Color Metric":["Métrica de cor"],"A metric to use for color":["Uma métrica a utilizar para cor"],"Country Name":["Nome do país"],"The name of country that Superset should display":["O nome do país que o Superset deve exibir"],"Country Field Type":["Tipo de campo País"],"The country code standard that Superset should expect to find in the [country] column":["O código padrão do país que o Superset deve esperar encontrar na coluna [País]"],"Columns":["Colunas"],"One or many controls to pivot as columns":["Um ou vários controles para pivotar como colunas"],"Columns to display":["Colunas para exibir"],"Origin":["Origem"],"Defines the origin where time buckets start, accepts natural dates as in `now`, `sunday` or `1970-01-01`":["Define a origem onde os campos de tempo começam, aceita datas naturais em inglês como `now`,`sunday` ou `1970-01-01`"],"Bottom Margin":["Margem inferior"],"Bottom margin, in pixels, allowing for more room for axis labels":["Margem inferior, em pixeis, permitindo mais espaço para as etiquetas dos eixos"],"Left Margin":["Margem esquerda"],"Left margin, in pixels, allowing for more room for axis labels":["Margem esquerda, em pixeis, permitindo mais espaço para as etiquetas dos eixos"],"Time Granularity":["Granularidade temporal"],"The time granularity for the visualization. Note that you can type and use simple natural language as in `10 seconds`, `1 day` or `56 weeks`":["O tempo de granularidade para a visualização. Observe que você pode digitar e usar linguagem natural simples, em inglês, como `10 seconds`, `1 day` ou `56 weeks`"],"Domain":["Domínio"],"The time unit used for the grouping of blocks":["Unidade de tempo usada para agrupamento de blocos"],"Subdomain":["Subdomínio"],"The time unit for each block. Should be a smaller unit than domain_granularity. Should be larger or equal to Time Grain":["A unidade de tempo para cada bloco. Deve ser uma unidade menor que domínio_granularidade. Deve ser maior ou igual a Granularidade Temporal"],"Link Length":["Comprimento da ligação"],"Link length in the force layout":["Comprimento da ligação no layout força"],"Charge":["Carregar"],"Charge in the force layout":["Carregar no layout força"],"Time Grain":["Granularidade Temporal"],"The time granularity for the visualization. This applies a date transformation to alter your time column and defines a new time granularity. The options here are defined on a per database engine basis in the Superset source code.":["A granularidade temporal para a visualização. Aplica uma transformação de data para alterar a coluna de tempo e define uma nova granularidade temporal. As opções são definidas por base de dados no código-fonte do Superset."],"Resample Rule":["Regra de Repetição"],"Pandas resample rule":["Regra de remistura de pandas"],"Resample How":["Remisturar Como"],"Pandas resample how":["Pandas remisturar como"],"Resample Fill Method":["Método de Preenchimento da Remistura"],"Pandas resample fill method":["Método de preenchimento da remistura de pandas"],"Since":["Desde"],"7 days ago":["Há 7 dias"],"Until":["Até"],"Max Bubble Size":["Tamanho máximo da bolha"],"Whisker/outlier options":["Opções de Whisker / Outlier"],"Determines how whiskers and outliers are calculated.":["Determina como são calculados os whiskers e os outliers."],"Ratio":["Rácio"],"Target aspect ratio for treemap tiles.":["Aspeto do rácio do alvo para blocos do treemap."],"Number format":["Formato numérico"],"Row limit":["Limite de linha"],"Series limit":["Limite de série"],"Limits the number of time series that get displayed":["Limita o número de séries temporais que são exibidas"],"Sort By":["Ordenar por"],"Metric used to define the top series":["Métrica usada para definir a série superior"],"Sort Descending":["Ordenar decrescente"],"Whether to sort descending or ascending":["Ordenar de forma descendente ou ascendente"],"Defines a rolling window function to apply, works along with the [Periods] text box":[""],"Periods":["Períodos"],"Defines the size of the rolling window function, relative to the time granularity selected":[""],"Min Periods":["Período Mínimo"],"Series":["Séries"],"Defines the grouping of entities. Each series is shown as a specific color on the chart and has a legend toggle":["Define o agrupamento de entidades. Cada série corresponde a uma cor específica no gráfico e tem uma alternância de legenda"],"Entity":["Entidade"],"This defines the element to be plotted on the chart":["Esta opção define o elemento a ser desenhado no gráfico"],"X Axis":["Eixo XX"],"Metric assigned to the [X] axis":["Métrica atribuída ao eixo [X]"],"Y Axis":["Eixo YY"],"Metric assigned to the [Y] axis":["Metrica atribuída ao eixo [Y]"],"Bubble Size":["Tamanho da bolha"],"URL":["URL"],"X Axis Label":["Rótulo Eixo XX"],"Y Axis Label":["Rótulo Eixo YY"],"Custom WHERE clause":["Cláusula WHERE personalizada"],"Custom HAVING clause":["Cláusula HAVING personalizada"],"The text in this box gets included in your query's HAVING clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["O texto nesta caixa é incluído na cláusula HAVING da query, como um AND para outros critérios. É possível incluir uma expressão complexa, parênteses ou qualquer outra coisa suportada pelo seu backend."],"Comparison Period Lag":["Atraso do período de comparação"],"Based on granularity, number of time periods to compare against":["Com base na granularidade, o número de períodos de tempo a comparar"],"Comparison suffix":["Sufixo de comparação"],"Suffix to apply after the percentage display":["Sufixo a aplicar após a exibição do valor percentual"],"Table Timestamp Format":["Formato da Tabela Datahora"],"Timestamp Format":["Formato do Carimbo Datahora"],"Series Height":["Altura da série"],"Pixel height of each series":["Altura de pixel de cada série"],"Page Length":["Comprimento da página"],"Rows per page, 0 means no pagination":["Linhas por página, 0 significa que não há paginação"],"X Axis Format":["Formato Eixo XX"],"Y Axis Format":["Formato do Eixo YY"],"Right Axis Format":["Formato do Eixo Direito"],"Date Time Format":["Formato da datahora"],"Markup Type":["Tipo de marcação"],"Pick your favorite markup language":["Escolha a sua linguagem de marcação favorita"],"Rotation":["Rotação"],"Rotation to apply to words in the cloud":["Rotação para aplicar a palavras na nuvem"],"Line Style":["Estilo da linha"],"Line interpolation as defined by d3.js":["Interpolação da linha conforme definido por d3.js"],"Label Type":["Tipo de etiqueta"],"What should be shown on the label?":["O que deve ser mostrado na etiqueta?"],"Code":["Código"],"Put your code here":["Insira o seu código aqui"],"Aggregation function":["Função de agregação"],"Aggregate function to apply when pivoting and computing the total rows and columns":["Função de agregação a ser aplicada ao pivotar e calcular o total de linhas e colunas"],"Font Size From":["Tamanho da fonte desde"],"Font size for the smallest value in the list":["Tamanho da fonte para o menor valor na lista"],"Font Size To":["Tamanho da fonte para"],"Font size for the biggest value in the list":["Tamanho da fonte para o maior valor na lista"],"Instant Filtering":["Filtragem instantânea"],"Range Filter":["Intervalo do filtro"],"Whether to display the time range interactive selector":["Mostrar opção de seleção do intervalo temporal"],"Date Filter":["Filtro de data"],"Whether to include a time filter":["Incluir um filtro temporal"],"Show SQL Granularity Dropdown":["Mostrar opção de seleção temporal do SQL"],"Check to include SQL Granularity dropdown":["Selecione para incluir seleção da granularidade temporal do SQL"],"Show SQL Time Column":["Mostrar coluna temporal do SQL"],"Check to include Time Column dropdown":["Selecione para incluir seleção da coluna temporal"],"Show Druid Granularity Dropdown":["Mostrar seleção da granularidade do Druid"],"Check to include Druid Granularity dropdown":["Selecione para incluir seleção de granularidade do Druid"],"Show Druid Time Origin":["Mostrar origem temporal do Druid"],"Check to include Time Origin dropdown":["Selecione para incluir seleção da Origem do tempo"],"Data Table":["Tabela de dados"],"Whether to display the interactive data table":["Se deseja exibir a tabela de dados interativos"],"Search Box":["Caixa de pesquisa"],"Whether to include a client side search box":["Incluir caixa de pesquisa do lado do cliente"],"Table Filter":["Filtro de Tabela"],"Whether to apply filter when table cell is clicked":["Aplicar filtro quando a célula da tabela é selecionada"],"Show Bubbles":["Visualizar Bolhas"],"Whether to display bubbles on top of countries":["Exibir bolhas em cima dos países"],"Legend":["Legenda"],"Whether to display the legend (toggles)":["Exibir legenda (alternar)"],"Show Values":["Mostrar valores"],"Whether to display the numerical values within the cells":["Exibir valores numéricos dentro das células"],"X bounds":["Limites XX"],"Whether to display the min and max values of the X axis":["Exibir valores mínimos e máximos do eixo XX"],"Y bounds":["Limites YY"],"Whether to display the min and max values of the Y axis":["Exibir os valores mínimos e máximos do eixo YY"],"The rich tooltip shows a list of all series for that point in time":["A descrição de apoio mostra uma lista de todas as séries para esse ponto temporal"],"Y Log Scale":["Escala Log em YY"],"Use a log scale for the Y axis":["Use uma escala logarítmica para o eixo YY"],"X Log Scale":["Escala Log em XX"],"Use a log scale for the X axis":["Use uma escala logarítmica para o eixo XX"],"Log Scale":["Escala logarítmica"],"Use a log scale":["Use uma escala logarítmica"],"Donut":["Donut"],"Do you want a donut or a pie?":["Donut ou gráfico de queijos?"],"Put labels outside":["Colocar etiquetas no exterior"],"Put the labels outside the pie?":["Colocar etiquetas no exterior do gráfico?"],"Contribution":["Contribuição"],"Compute the contribution to the total":["Calcular contribuição para o total"],"Period Ratio":["Rácio do Período"],"[integer] Number of period to compare against, this is relative to the granularity selected":["[número inteiro] Número de períodos para comparação, relativamente à granularidade selecionada"],"Period Ratio Type":["Tipo de Rácio do Período"],"`factor` means (new/previous), `growth` is ((new/previous) - 1), `value` is (new-previous)":["`fator` significa (novo/anterior),`crescimento` é ((novo/anterior) - 1), `valor` é (novo-anterior)"],"Time Shift":["Mudança de hora"],"Overlay a timeseries from a relative time period. Expects relative time delta in natural language (example: 24 hours, 7 days, 56 weeks, 365 days)":["Sobrepor série temporal de um período de tempo relativo. Espera valor de variação temporal relativa em linguagem natural (exemplo: 24 horas, 7 dias, 56 semanas, 365 dias)"],"Subheader":["Subtítulo"],"Description text that shows up below your Big Number":["Descritivo que aparece em baixo do número grande"],"label":["rótulo"],"`count` is COUNT(*) if a group by is used. Numerical columns will be aggregated with the aggregator. Non-numerical columns will be used to label points. Leave empty to get a count of points in each cluster.":["`count` é COUNT (*) se um agrupar por for utilizado. As colunas numéricas serão agregadas com o agregador. Colunas não-numéricas serão usadas para rotular pontos. Deixar em branco para obter uma contagem de pontos em cada cluster."],"Map Style":["Estilo do mapa"],"Base layer map style":["Estilo do mapa da camada base"],"Clustering Radius":["Raio do cluster"],"The radius (in pixels) the algorithm uses to define a cluster. Choose 0 to turn off clustering, but beware that a large number of points (>1000) will cause lag.":["O raio (em pixeis) que o algoritmo usa para definir um cluster. Defina como 0 para desativar o cluster, mas tenha cuidado com o facto de que um grande número de pontos (> 1000) causará atraso na visualização."],"Point Radius":["Raio de pontos"],"The radius of individual points (ones that are not in a cluster). Either a numerical column or `Auto`, which scales the point based on the largest cluster":["O raio de pontos individuais (aqueles que não estão num cluster). Ou uma coluna numérica ou `Auto`, que escala o ponto com base no maior cluster"],"Point Radius Unit":["Unidade de raio de pontos"],"The unit of measure for the specified point radius":["A unidade de medida para o raio de ponto especificado"],"Opacity":["Opacidade"],"Opacity of all clusters, points, and labels. Between 0 and 1.":["Opacidade de todos os clusters, pontos e rótulos. Entre 0 e 1."],"Zoom":["Zoom"],"Zoom level of the map":["Nível de zoom do mapa"],"Default latitude":["Latitude padrão"],"Default longitude":["Longitude padrão"],"Live render":["Renderização em tempo real"],"RGB Color":["Cor RGB"],"The color for points and clusters in RGB":["A cor para pontos e clusters em RGB"],"Color":["Cor"],"Pick a color":["Selecione uma cor"],"Ranges":["Gamas"],"Ranges to highlight with shading":["Intervalo para destacar com sombreamento"],"Range labels":["Etiquetas de intervalo"],"Labels for the ranges":["Etiquetas para os intervalos"],"Markers":["Marcadores"],"List of values to mark with triangles":["Lista de valores a marcar com triângulos"],"Marker labels":["Etiquetas de marcadores"],"Labels for the markers":["Etiquetas para marcadores"],"Marker lines":["Linhas de marcador"],"List of values to mark with lines":["Lista de valores a marcar com linhas"],"Marker line labels":["Marcadores de linha de marcador"],"Labels for the marker lines":["Etiquetas para as linhas de marcação"],"Slice ID":["ID da visualização"],"The id of the active slice":["O id da visualização ativa"],"Cache Timeout (seconds)":["Cache atingiu tempo limite (segundos)"],"The number of seconds before expiring the cache":["O número de segundos antes de expirar a cache"],"Order by entity id":["Ordenar por ID de entidade"],"Important! Select this if the table is not already sorted by entity id, else there is no guarantee that all events for each entity are returned.":["Importante! Selecione se a tabela ainda não estiver classificada por entidade, caso contrário, não há garantia de que todos os eventos para cada entidade sejam devolvidos."],"Minimum leaf node event count":["Contagem mínima de eventos no nó terminal (leaf node)"],"Leaf nodes that represent fewer than this number of events will be initially hidden in the visualization":["Os nós terminais que representam menos do que este número de eventos serão inicialmente ocultados na visualização"],"Color Scheme":["Esquema de cores"],"The color scheme for rendering chart":["O esquema de cores para o gráfico de renderização"],"Significance Level":["Nível de significância"],"Threshold alpha level for determining significance":["Nível alfa limite para determinar significância"],"p-value precision":["precisão de valor-p"],"Number of decimal places with which to display p-values":["Número de casas decimais para exibir valores-p"],"Lift percent precision":["Precisão percentual de valores lift"],"Number of decimal places with which to display lift values":["Número de casas decimais a exibir com valores lift"],"Time Series Columns":["Colunas das séries temporais"],"Options":["Opções"],"Not Time Series":["Série não temporal"],"Ignore time":["Ignore o tempo"],"Time Series":["Série temporal"],"Standard time series":["Série temporal standard"],"Aggregate Mean":["Média agregada"],"Mean of values over specified period":["Valores médios para o período especificado"],"Aggregate Sum":["Soma Agregada"],"Sum of values over specified period":["Soma de valores ao longo do período especificado"],"Difference":["Diferença"],"Metric change in value from `since` to `until`":["Variação do valor da métrica de `desde` a `até`"],"Percent Change":["Mudança percentual"],"Metric percent change in value from `since` to `until`":["Métrica de alteração percentual em valor de `desde` a `até`"],"Factor":["Fator"],"Metric factor change from `since` to `until`":["Variação do fator da métrica de `desde` a `até`"],"Advanced Analytics":["Análise Avançada"],"Use the Advanced Analytics options below":["Utilize as opções de Análise Avançada"],"Settings for time series":["Configurações para séries temporais"],"Equal Date Sizes":["Dimensões temporais iguais"],"Check to force date partitions to have the same height":["Verifique para forçar as partições de data a ter a mesma altura"],"Partition Limit":["Limite de partição"],"Partition Threshold":["Limite de partição"],"Time":["Tempo"],"Time related form attributes":["Atributos de formulário relacionados ao tempo"],"Datasource & Chart Type":["Origem de Dados & Tipo de Gráfico"],"This section exposes ways to include snippets of SQL in your query":["Esta seção demonstra formas de incluir partes de código SQL na sua query"],"Annotations":["Anotações"],"This section contains options that allow for advanced analytical post processing of query results":["Esta seção contém opções que permitem o pós-processamento analítico avançado de resultados da query"],"Result Filters":["Filtros de resultados"],"The filters to apply after post-aggregation.Leave the value control empty to filter empty strings or nulls":["Filtros para aplicar após pós-agregação. Deixe o valor de controlo vazio para filtrar células vazias ou valores nulos"],"Chart Options":["Opções do gráfico"],"Breakdowns":["Separação"],"Defines how each series is broken down":["Define como se separam cada série"],"Pie Chart":["Gráfico de Queijo"],"Dual Axis Line Chart":["Gráfico de linhas de eixo duplo"],"Y Axis 1":["Eixo YY 1"],"Y Axis 2":["Eixo YY 2"],"Left Axis Metric":["Métrica do Eixo Esquerdo"],"Choose a metric for left axis":["Escolha uma métrica para o eixo esquerdo"],"Left Axis Format":["Formatar Eixo Esquerdo"],"Axes":["Eixos"],"GROUP BY":["AGRUPAR POR"],"Use this section if you want a query that aggregates":["Use esta seção se deseja um query agregadora"],"NOT GROUPED BY":["NÃO AGRUPADO POR"],"Use this section if you want to query atomic rows":["Use esta seção se desejar query linhas atómicas"],"Time Series Table":["Tabela de séries temporais"],"Templated link, it's possible to include {{ metric }} or other values coming from the controls.":["Ligação predefinida, é possível incluir {{ metric }} ou outros valores provenientes dos controlos."],"Pivot Options":["Opções de pivot"],"Bubbles":["Bolhas"],"Numeric Column":["Coluna numérica"],"Select the numeric column to draw the histogram":["Selecione a coluna numéria a visualizar no histograma"],"No of Bins":["Número de caixas"],"Select number of bins for the histogram":["Selecione o número de caixas para o histograma"],"Primary Metric":["Métrica Primária"],"The primary metric is used to define the arc segment sizes":["A métrica primária é usada para definir o tamanho do segmento de arco"],"Secondary Metric":["Métrica secundária"],"This secondary metric is used to define the color as a ratio against the primary metric. If the two metrics match, color is mapped level groups":["Esta métrica secundária é usada para definir cor como uma relação com a métrica primária. Se as duas métricas combinarem, as cores são grupos de nível mapeados"],"Hierarchy":["Hierarquia"],"This defines the level of the hierarchy":["Define o nível da hierarquia"],"Source / Target":["Fonte / Alvo"],"Choose a source and a target":["Escolha uma fonte e um alvo"],"Chord Diagram":["Diagrama de cordas"],"Choose a number format":["Escolha um formato de número"],"Source":["Fonte"],"Choose a source":["Escolha uma fonte"],"Target":["Alvo"],"Choose a target":["Escolha um alvo"],"ISO 3166-2 codes of region/province/department":["ISO 3166-2 códigos de região / província / departamento"],"It's ISO 3166-2 of your region/province/department in your table. (see documentation for list of ISO 3166-2)":["É o código ISO 3166-2 da sua região / província / departamento na sua tabela. (ver documentação para obter a lista de ISO 3166-2)"],"Country Control":["Controlo de País"],"3 letter code of the country":["Código de 3 letras do país"],"Metric for color":["Métrica para cor"],"Metric that defines the color of the country":["Métrica que define a cor do país"],"Bubble size":["Tamanho da bolha"],"Metric that defines the size of the bubble":["Métrica que define o tamanho da bolha"],"Filter Box":["Caixa de filtro"],"Filter controls":["Controlo de filtro"],"The controls you want to filter on. Note that only columns checked as \"filterable\" will show up on this list.":["Os controles nos quais deseja filtrar. Observe que somente as colunas marcadas como \"filtráveis\" aparecerão nesta lista."],"Heatmap Options":["Opções do Mapa de Calor"],"Value bounds":["Limites de valor"],"Value Format":["Formato de valor"],"Horizon":["Horizonte"],"Points":["Pontos"],"Labelling":["Marcação"],"Visual Tweaks":["Alterações Visuais"],"Longitude":["Longitude"],"Column containing longitude data":["Coluna que contém a longitude"],"Latitude":["Latitude"],"Column containing latitude data":["Coluna que contém a latitude"],"Cluster label aggregator":["Agregador de etiquetas de cluster"],"Aggregate function applied to the list of points in each cluster to produce the cluster label.":["Função agregada aplicada à lista de pontos em cada cluster para produzir a etiqueta do cluster."],"Tooltip":["Tooltip"],"Show a tooltip when hovering over points and clusters describing the label":["Mostra a tooltip quando se passa o rato pelos pontos e clusters que descrevem a etiqueta"],"One or many controls to group by. If grouping, latitude and longitude columns must be present.":["Um ou mais controlos para Agrupar por. Ao agrupar, é obrigatória a presença das colunas de longitude e latitude."],"Event definition":["Definição de evento"],"Additional meta data":["Metadados adicionais"],"Column containing entity ids":["Coluna que contém IDs de entidades"],"e.g., a \"user id\" column":["por exemplo, uma coluna de ID de utilizador"],"Column containing event names":["Coluna que contém nomes de eventos"],"Event count limit":["Limite do número de eventos"],"The maximum number of events to return, equivalent to number of rows":["O número máximo de eventos a aparecer, equivalente ao número de linhas"],"Meta data":["Metadados"],"Select any columns for meta data inspection":["Selecione qualquer coluna para inspeção de metadados"],"Paired t-test":["Teste-t emparelhado"],"Time Series Options":["Opções da série temporal"],"The server could not be reached. You may want to verify your connection and try again.":["Não foi possível obter resposta do servidor. Verifique conexão e tente novamente."],"An unknown error occurred. (Status: %s )":["Ocorreu um erro desconhecido. (Estado: %s )"],"Favorites":["Favoritos"],"Created Content":["Conteúdo Criado"],"Recent Activity":["Atividade Recente"],"Security & Access":["Segurança e Acesso"],"No slices":["Sem visualizações"],"No dashboards":["Sem dashboards"],"Dashboards":["Dashboards"],"Slices":["Visualizações"],"No favorite slices yet, go click on stars!":["Ainda não há visualizações favoritas, comece a clicar nas estrelas!"],"No favorite dashboards yet, go click on stars!":["Ainda não há dashboards favoritos, comece a clicar nas estrelas!"],"Roles":["Cargo"],"Databases":["Bases de dados"],"Datasources":["Origem de dados"],"Profile picture provided by Gravatar":["Foto de perfil fornecida por Gravatar"],"id:":["id:"],"Sorry, there appears to be no data":["As nossas desculpas, mas parecem não existir dados"],"Select [%s]":["Selecionar [%s]"],"No data was returned.":["Não foram obtidos dados."],"List Druid Column":["Lista de Colunas Druid"],"Show Druid Column":["Mostrar Colunas Druid"],"Add Druid Column":["Adicionar Colunas Druid"],"Edit Druid Column":["Editar Colunas Druid"],"Column":["Coluna"],"Type":["Tipo"],"Groupable":["Agrupável"],"Filterable":["Filtrável"],"Count Distinct":["Soma Distinta"],"Sum":["Soma"],"Whether this column is exposed in the `Filters` section of the explore view.":["Se esta coluna está exposta na seção `Filtros` da vista de exploração."],"List Druid Metric":["Lista de Métricas Druid"],"Show Druid Metric":["Mostrar Métrica Druid"],"Add Druid Metric":["Adicionar Métrica Druid"],"Edit Druid Metric":["Editar Métrica Druid"],"Whether the access to this metric is restricted to certain roles. Only roles with the permission 'metric access on XXX (the name of this metric)' are allowed to access this metric":["Se o acesso a esta métrica é restrito a determinadas funções. Somente cargos com permissão 'acesso à métrica em XXX (nome da métrica)' estão autorizados a aceder a esta métrica"],"Verbose Name":["Nome Detalhado"],"JSON":["JSON"],"Druid Datasource":["Origem de Dados Druid"],"Warning Message":["Mensagem de Aviso"],"List Druid Cluster":["Lista de Cluster Druid"],"Show Druid Cluster":["Mostrar Cluster Druid"],"Add Druid Cluster":["Adicionar Cluster Druid"],"Edit Druid Cluster":["Editar Cluster Druid"],"Cluster":["Cluster"],"Coordinator Host":["Anfitrião Coordenador"],"Coordinator Port":["Porta Coordenador"],"Coordinator Endpoint":["Endpoint Coordenador"],"Druid Clusters":["Cluster Druid"],"Sources":["Fontes"],"List Druid Datasource":["Lista de origem de dados Druid"],"Show Druid Datasource":["Mostrar origem de dados Druid"],"Add Druid Datasource":["Adicionar origem de dados Druid"],"Edit Druid Datasource":["Editar origem de dados Druid"],"Timezone offset (in hours) for this datasource":["Diferença do fuso horário (em horas) para esta fonte de dados"],"Time expression to use as a predicate when retrieving distinct values to populate the filter component. Only applies when `Enable Filter Select` is on. If you enter `7 days ago`, the distinct list of values in the filter will be populated based on the distinct value over the past week":["Expressão temporal a ser utilizada como predicado ao recuperar valores distintos para preencher o componente do filtro. Apenas aplicável quando \"Permitir Seleção de Filtro\" estiver ativado. Ao inserir `7 dias atrás ', a lista distinta de valores no filtro será preenchida com base no valor distinto da semana passada"],"Whether to populate the filter's dropdown in the explore view's filter section with a list of distinct values fetched from the backend on the fly":["Preencher a lista de filtros, na vista de exploração, com valores distintos carregados em tempo real a partir do backend"],"Redirects to this endpoint when clicking on the datasource from the datasource list":["Redireciona para este endpoint quando se seleciona a origem de dados da respetiva lista"],"Associated Slices":["Visualizações Associadas"],"Data Source":["Origem de dados"],"Owner":["Proprietário"],"Is Hidden":["É Oculto"],"Enable Filter Select":["Ativar Filtro de Seleção"],"Default Endpoint":["Endpoint Padrão"],"Time Offset":["Time Offset"],"Cache Timeout":["Tempo limite para cache"],"Druid Datasources":["Origem de dados Druid"],"Scan New Datasources":["Procurar novas origens de dados"],"Refresh Druid Metadata":["Atualizar Metadados Druid"],"Datetime column not provided as part table configuration and is required by this type of chart":["Coluna datahora não definida como parte da configuração da tabela e obrigatória para este tipo de gráfico"],"Empty query?":["Query vazia?"],"Metric '{}' is not valid":["A métrica '{}' não é válida"],"Table [{}] doesn't seem to exist in the specified database, couldn't fetch column information":["A tabela [{}] não parece existir na base de dados especificada, não foi possível carregar informações da coluna"],"List Columns":["Lista de Colunas"],"Show Column":["Mostrar Coluna"],"Add Column":["Adicionar Coluna"],"Edit Column":["Editar Coluna"],"The data type that was inferred by the database. It may be necessary to input a type manually for expression-defined columns in some cases. In most case users should not need to alter this.":["O tipo de dados que foi inferido pela base de dados. Pode ser necessário inserir um tipo manualmente para colunas definidas por expressões em alguns casos. A maioria dos casos não requer alteração por parte do utilizador."],"Expression":["Expressão"],"Is temporal":["É temporal"],"Datetime Format":["Formato de data e hora"],"Database Expression":["Expressão de base de dados"],"List Metrics":["Lista de Métricas"],"Show Metric":["Mostrar Métrica"],"Add Metric":["Adicionar Métrica"],"Edit Metric":["Editar Métrica"],"SQL Expression":["Expressão SQL"],"D3 Format":["Formato D3"],"Is Restricted":["É Restrito"],"List Tables":["Lista de Tabelas"],"Show Table":["Mostrar Tabela"],"Add Table":["Adicionar Tabela"],"Edit Table":["Editar Tabela"],"Name of the table that exists in the source database":["Nome da tabela que existe na base de dados de origem"],"Schema, as used only in some databases like Postgres, Redshift and DB2":["Esquema, como utilizado em algumas base de dados, como Postgres, Redshift e DB2"],"Predicate applied when fetching distinct value to populate the filter control component. Supports jinja template syntax. Applies only when `Enable Filter Select` is on.":["Predicado aplicado ao obter um valor distinto para preencher a componente de controlo de filtro. Suporta a sintaxe jinja standard. Apenas se aplica quando \"Ativar Filtro de Seleção\" está ativado."],"Redirects to this endpoint when clicking on the table from the table list":["Redireciona para este endpoint ao clicar na tabela da respetiva lista"],"Changed By":["Alterado por"],"Database":["Base de dados"],"Last Changed":["Modificado pela última vez"],"Schema":["Esquema"],"Offset":["Offset"],"Table Name":["Nome da Tabela"],"Fetch Values Predicate":["Carregar Valores de Predicado"],"Main Datetime Column":["Coluna Datahora principal"],"Table [{}] could not be found, please double check your database connection, schema, and table name":["Tabela [{}] não encontrada, por favor verifique conexão à base de dados, esquema e nome da tabela"],"The table was created. As part of this two phase configuration process, you should now click the edit button by the new table to configure it.":["A tabela foi criada. Como parte deste processo de configuração de duas fases, deve agora clicar no botão Editar, na nova tabela, para configurá-lo."],"Refresh Metadata":["Atualizar Metadados"],"Refresh column metadata":["Atualizar coluna de metadados"],"Metadata refreshed for the following table(s): %(tables)s":["Metadados atualizados para a seguinte tabela(s): %(tables)s"],"Tables":["Tabelas"],"Profile":["Perfil"],"Logout":["Sair"],"Login":["Login"],"Record Count":["Número de Registos"],"No records found":["Nenhum registo encontrado"],"Import":["Importar"],"No Access!":["Não há acesso!"],"You do not have permissions to access the datasource(s): %(name)s.":["Não tem permissão para aceder à origem de dados: %(name)s."],"Request Permissions":["Requisição de Permissão"],"Welcome!":["Bem vindo!"],"Test Connection":["Conexão de teste"],"Manage":["Gerir"],"Datasource %(name)s already exists":["Origem de dados %(name)s já existe"],"json isn't valid":["json não é válido"],"Delete":["Eliminar"],"Delete all Really?":["Tem a certeza que pretende eliminar tudo?"],"This endpoint requires the `all_datasource_access` permission":["Este endpoint requer a permissão `all_datasource_access"],"The datasource seems to have been deleted":["Esta origem de dados parece ter sido excluída"],"The access requests seem to have been deleted":["Os pedidos de acesso parecem ter sido eliminados"],"The user seems to have been deleted":["O utilizador parece ter sido eliminado"],"You don't have access to this datasource":["Não tem acesso a esta origem de dados"],"This view requires the database %(name)s or `all_datasource_access` permission":["A visualização requer o permissão da base de dados %(name) s ou 'all_datasource_access' permissão"],"This endpoint requires the datasource %(name)s, database or `all_datasource_access` permission":["Este ponto final requer a fonte de dados %(name)s, permissão 'all_datasource_access' ou base de dados"],"List Databases":["Listar Base de Dados"],"Show Database":["Mostrar Base de Dados"],"Add Database":["Adicionar Base de Dados"],"Edit Database":["Editar Base de Dados"],"Expose this DB in SQL Lab":["Expor esta BD no SQL Lab"],"Allow users to run synchronous queries, this is the default and should work well for queries that can be executed within a web request scope (<~1 minute)":["Permitir que os usuários executem queries síncronas, que é o padrão e deve funcionar bem para queries que podem ser executadas dentro do âmbito de solicitação na web (<~ 1 minuto)"],"Allow users to run queries, against an async backend. This assumes that you have a Celery worker setup as well as a results backend.":["Permitir que os usuários executem queries, contra um backend assíncrono. Isto pressupõem uma configuração definida para um Celery worker, bem como um backend de resultados."],"Allow CREATE TABLE AS option in SQL Lab":["Permitir a opção CREATE TABLE AS no SQL Lab"],"Allow users to run non-SELECT statements (UPDATE, DELETE, CREATE, ...) in SQL Lab":["Permitir que os usuários executem instruções non-SELECT (UPDATE, DELETE, CREATE, ...) no SQL Lab"],"When allowing CREATE TABLE AS option in SQL Lab, this option forces the table to be created in this schema":["Ao permitir a opção CREATE TABLE AS no SQL Lab, esta opção força a tabela a ser criada neste esquema"],"If Presto, all the queries in SQL Lab are going to be executed as the currently logged on user who must have permission to run them.
If Hive and hive.server2.enable.doAs is enabled, will run the queries as service account, but impersonate the currently logged on user via hive.server2.proxy.user property.":["Se Presto, todas as consultas no SQL Lab serão executadas como o utilizador atualmente conectado que deve ter permissão para as executar.
Se hive e hive.server2.enable.doAs estiver habilitado, serão executadas as queries como conta de serviço, mas deve personificar o utilizador atualmente conectado recorrendo à propriedade hive.server2.proxy.user."],"Expose in SQL Lab":["Expor no SQL Lab"],"Allow CREATE TABLE AS":["Permitir CREATE TABLE AS"],"Allow DML":["Permitir DML"],"CTAS Schema":["Esquema CTAS"],"Creator":["Criador"],"SQLAlchemy URI":["URI SQLAlchemy"],"Extra":["Extra"],"Allow Run Sync":["Permitir Run Sync"],"Allow Run Async":["Permitir Run Async"],"Impersonate the logged on user":["Personificar o utilizador conectado"],"Import Dashboards":["Importar Dashboards"],"User":["Utilizador"],"User Roles":["Cargo do Utilizador"],"Database URL":["URL da Base de Dados"],"Roles to grant":["Cargos a permitir ao utilizador"],"Created On":["Criado em"],"Access requests":["Solicitações de acesso"],"Security":["Segurança"],"List Slices":["Lista de Visualizações"],"Show Slice":["Mostrar Visualização"],"Add Slice":["Adicionar Visualização"],"Edit Slice":["Editar Visualização"],"These parameters are generated dynamically when clicking the save or overwrite button in the explore view. This JSON object is exposed here for reference and for power users who may want to alter specific parameters.":["Os parâmetros são gerados dinamicamente ao clicar no botão Guardar ou Substituir na vista de exibição. Este objeto JSON é exposto aqui para referência e para utilizadores avançados que desejam alterar parâmetros específicos."],"Duration (in seconds) of the caching timeout for this slice.":["Duração (em segundos) do tempo limite da cache para esta visualização."],"Last Modified":["Última Alteração"],"Owners":["Proprietários"],"Parameters":["Parâmetros"],"Slice":["Visualização"],"List Dashboards":["Lista de Dashboards"],"Show Dashboard":["Mostrar Dashboard"],"Add Dashboard":["Adicionar Dashboard"],"Edit Dashboard":["Editar Dashboard"],"This json object describes the positioning of the widgets in the dashboard. It is dynamically generated when adjusting the widgets size and positions by using drag & drop in the dashboard view":["Este objeto JSON descreve o posicionamento das visualizações no dashboard. É gerado dinamicamente quando se ajusta a dimensão e posicionamento de uma visualização utilizando o drag & drop na vista de dashboard"],"The css for individual dashboards can be altered here, or in the dashboard view where changes are immediately visible":["O css para dashboards individuais pode ser alterado aqui ou na vista de dashboard, onde as mudanças são imediatamente visíveis"],"To get a readable URL for your dashboard":["Obter um URL legível para o seu dashboard"],"This JSON object is generated dynamically when clicking the save or overwrite button in the dashboard view. It is exposed here for reference and for power users who may want to alter specific parameters.":["Este objeto JSON é gerado dinamicamente ao clicar no botão salvar ou substituir na exibição do painel. É exposto aqui para referência e para usuários avançados que desejam alterar parâmetros específicos."],"Owners is a list of users who can alter the dashboard.":["Proprietários é uma lista de utilizadores que podem alterar o dashboard."],"Dashboard":["Dashboard"],"Slug":["Slug"],"Position JSON":["Posição JSON"],"JSON Metadata":["Metadados JSON"],"Export":["Exportar"],"Export dashboards?":["Exportar dashboards?"],"Action":["Acção"],"dttm":["dttm"],"Action Log":["Registo de Acções"],"Access was requested":["O acesso foi solicitado"],"%(user)s was granted the role %(role)s that gives access to the %(datasource)s":["Ao utilizador %(user)s foi concedido o cargo %(role)s que dá acesso ao %(datasource)s"],"Role %(r)s was extended to provide the access to the datasource %(ds)s":["O cargo %(r)s foi alargado para providenciar acesso à origem de dados %(ds)s"],"You have no permission to approve this request":["Não tem permissão para aprovar este pedido"],"Malformed request. slice_id or table_name and db_name arguments are expected":["Pedido mal formado. Os argumentos slice_id ou table_name e db_name não foram preenchidos"],"Slice %(id)s not found":["Visualização %(id)s não encontrada"],"Table %(t)s wasn't found in the database %(d)s":["A tabela %(t)s não foi encontrada na base de dados %(d)s"],"Can't find User '%(name)s', please ask your admin to create one.":["Não foi possível encontrar o utilizador '%(name)s', por favor entre em contacto com o administrador."],"Can't find DruidCluster with cluster_name = '%(name)s'":["Não foi possível encontrar DruidCluster com cluster_name = '%(name)s'"],"Query record was not created as expected.":["O registo da query não foi criado conforme o esperado."],"Template Name":["Nome do modelo"],"CSS Templates":["Modelos CSS"],"SQL Editor":["Editor SQL"],"SQL Lab":["SQL Lab"],"Query Search":["Pesquisa de Query"],"Status":["Estado"],"Start Time":["Início"],"End Time":["Fim"],"Queries":["Queries"],"List Saved Query":["Lista de Queries Gravadas"],"Show Saved Query":["Mostrar Query"],"Add Saved Query":["Adicionar Query"],"Edit Saved Query":["Editar Query"],"Pop Tab Link":["Ligação Abrir Aba"],"Changed on":["Alterado em"],"Saved Queries":["Queries Gravadas"]}}} \ No newline at end of file +{"domain":"superset","locale_data":{"superset":{"":{"domain":"superset","lang":"pt"},"Time Column":["Coluna de tempo"],"second":["segundo"],"minute":["minuto"],"hour":["hora"],"day":["dia"],"week":["semana"],"month":["mês"],"quarter":["trimestre"],"year":["ano"],"week_start_monday":["semana_inicio_segunda_feira"],"week_ending_saturday":["semana_fim_sábado"],"week_start_sunday":["semana_inicio_domingo"],"5 minute":["5 minutos"],"half hour":["meia hora"],"10 minute":["10 minutos"],"[Superset] Access to the datasource %(name)s was granted":["[Superset] O acesso à origem dos dados %(name)s foi concedido"],"Viz is missing a datasource":["Viz está sem origem de dados"],"From date cannot be larger than to date":["Data de inicio não pode ser posterior à data de fim"],"Table View":["Vista de tabela"],"Pick a granularity in the Time section or uncheck 'Include Time'":["Escolha uma granularidade na secção Tempo ou desmarque 'Incluir hora'"],"Choose either fields to [Group By] and [Metrics] or [Columns], not both":["Escolha apenas entre os campos [Agrupar por] e [Métricas] ou o campo [Colunas]"],"Time Table View":["Visualização da tabela de tempo"],"Pick at least one metric":["Selecione pelo menos uma métrica"],"When using 'Group By' you are limited to use a single metric":["Utilizando 'Agrupar por' só é possível utilizar uma única métrica"],"Pivot Table":["Tabela Pivot"],"Please choose at least one \"Group by\" field ":["Selecione pelo menos um campo \"Agrupar por\" "],"Please choose at least one metric":["Selecione pelo menos uma métrica"],"'Group By' and 'Columns' can't overlap":["Os campos 'Agrupar por' e 'Colunas' não se podem sobrepor"],"Markup":["Marcação"],"Separator":["Separador"],"Word Cloud":["Nuvem de palavras"],"Treemap":["Treemap"],"Calendar Heatmap":["Calendário com Mapa de Calor"],"Box Plot":["Box Plot"],"Bubble Chart":["Gráfico de bolhas"],"Pick a metric for x, y and size":["Selecione uma métrica para x, y e tamanho"],"Bullet Chart":["Gráfico de bala"],"Pick a metric to display":["Selecione uma métrica para visualizar"],"Big Number with Trendline":["Número grande com linha de tendência"],"Pick a metric!":["Selecione uma métrica!"],"Big Number":["Número grande"],"Time Series - Line Chart":["Série Temporal - Gráfico de linhas"],"Pick a time granularity for your time series":["Selecione uma granularidade para as suas séries temporais"],"Time Series - Dual Axis Line Chart":["Série Temporal - Gráfico de linha de dois eixos"],"Pick a metric for left axis!":["Selecione uma métrica para o eixo esquerdo!"],"Pick a metric for right axis!":["Selecione uma métrica para o eixo direito!"],"Please choose different metrics on left and right axis":["Selecione métricas diferentes para o eixo esquerdo e direito"],"Time Series - Bar Chart":["Série Temporal - Gráfico de barras"],"Time Series - Percent Change":["Série Temporal - Variação Percentual"],"Time Series - Stacked":["Série Temporal - Barras Sobrepostas"],"Distribution - NVD3 - Pie Chart":["Distribuição - NVD3 - Gráfico de Queijos"],"Histogram":["Histograma"],"Must have one numeric column specified":["Deve ser especificada uma coluna númerica"],"Distribution - Bar Chart":["Gráfico de barras"],"Can't have overlap between Series and Breakdowns":["Não pode haver sobreposição entre Séries e Desagregação"],"Pick at least one field for [Series]":["Escolha pelo menos um campo para [Séries]"],"Sunburst":["Sunburst"],"Sankey":["Sankey"],"Pick exactly 2 columns as [Source / Target]":["Selecione exatamente 2 colunas [Origem e Alvo]"],"Pick exactly 2 columns to 'Group By'":["Selecione exatamente 2 colunas para 'Agrupar por'"],"Country Map":["Mapa de País"],"World Map":["Mapa Mundo"],"Filters":["Filtros"],"Pick at least one filter field":["Selecione pelo menos um filtro"],"iFrame":["iFrame"],"Parallel Coordinates":["Coordenadas paralelas"],"Heatmap":["Mapa de Calor"],"Horizon Charts":["Gráfico de Horizonte"],"Mapbox":["Mapbox"],"Must have a [Group By] column to have 'count' as the [Label]":["Deve ter uma coluna [Agrupar por] para ter 'count' como [Label]"],"Choice of [Label] must be present in [Group By]":["A escolha do [Rótulo] deve estar presente em [Agrupar por]"],"Choice of [Point Radius] must be present in [Group By]":["A escolha de [Ponto de Raio] deve estar presente em [Agrupar por]"],"[Longitude] and [Latitude] columns must be present in [Group By]":["As colunas [Longitude] e [Latitude] devem estar presentes em [Agrupar por]"],"Event flow":["Fluxo de eventos"],"Time Series - Paired t-test":["Série temporal - teste emparelhado T"],"Partition Diagram":["Diagrama de Partição"],"Failed at retrieving results from the results backend":["O carregamento dos resultados a partir do backend falhou"],"Could not connect to server":["Não foi possível ligar ao servidor"],"Your session timed out, please refresh your page and try again.":["A sua sessão expirou, atualize sua página e tente novamente."],"Error occurred while fetching table metadata":["Ocorreu um erro ao carregar os metadados da tabela"],"shared query":["query partilhada"],"Pick a chart type!":["Selecione um tipo de gráfico!"],"To use this chart type you need at least one column flagged as a date":["Para usar este tipo de gráfico deve selecionar pelo menos uma coluna do tipo data"],"To use this chart type you need at least one dimension":["Para usar este tipo de gráfico deve selecionar pelo menos uma dimensão"],"To use this chart type you need at least one aggregation function":["Para usar este tipo de gráfico deve ser selecionada pelo menos uma função de agregação"],"Untitled Query":["Query sem título"],"Copy of %s":["Cópia de %s"],"share query":["partilhar query"],"copy URL to clipboard":["copiar URL para a área de transferência"],"Source SQL":["Fonte SQL"],"SQL":["SQL"],"No query history yet...":["Ainda não há histórico de queries ..."],"It seems you don't have access to any database":["Parece que não tem acesso a nenhuma base de dados"],"Search Results":["Procurar Resultados"],"[From]-":["[A partir de]-"],"[To]-":["[Para]-"],"[Query Status]":["[Estado da Query]"],"Search":["Pesquisa"],"Open in SQL Editor":["Abrir no Editor SQL"],"view results":["ver resultados"],"Data preview":["Pré-visualização de dados"],"Visualize the data out of this query":["Visualize os dados desta query"],"Overwrite text in editor with a query on this table":["Substitua texto no editor com uma query nesta tabela"],"Run query in a new tab":["Executar a query em nova aba"],"Remove query from log":["Remover query do histórico"],".CSV":[".CSV"],"Visualize":["Visualize"],"Table":["Tabela"],"was created":["foi criado"],"Query in a new tab":["Query numa nova aba"],"Fetch data preview":["Obter pré-visualização de dados"],"Loading...":["A carregar..."],"Stop":["Parar"],"Undefined":["Indefinido"],"Description":["Descrição"],"Write a description for your query":["Escreva uma descrição para sua consulta"],"Save":["Salvar"],"Cancel":["Cancelar"],"Save Query":["Gravar query"],"Preview for %s":["Pré-visualização para %s"],"Results":["Resultados"],"new table name":["novo nome da tabela"],"Error while fetching table list":["Erro ao carregar lista de tabelas"],"Error while fetching database list":["Erro ao carregar a lista de base de dados"],"Database:":["Base de dados:"],"Select a database":["Selecione uma base de dados"],"Add a table (%s)":["Adicione uma tabela (%s)"],"Type to search ...":["Escreva para pesquisar ..."],"Reset State":["Repor Estado"],"Enter a new title for the tab":["Insira um novo título para a aba"],"close tab":["fechar aba"],"rename tab":["renomear aba"],"expand tool bar":["expandir barra de ferramentas"],"hide tool bar":["ocultar barra de ferramentas"],"Copy partition query to clipboard":["Copiar query de partição para a área de transferência"],"latest partition:":["última partição:"],"Keys for table":["Chaves para tabela"],"View keys & indexes (%s)":["Ver chaves e índices (%s)"],"Sort columns alphabetically":["Ordenar colunas por ordem alfabética"],"Original table column order":["Ordenação original das colunas"],"Copy SELECT statement to clipboard":["Copiar a instrução SELECT para a área de transferência"],"Remove table preview":["Remover pré-visualização de tabela"],"AS my_alias":["AS my_alias"],"using only alphanumeric characters and underscores":["usando apenas caracteres alfanuméricos e sublinhados"],"Chart Type":["Tipo de gráfico"],"[Chart Type]":["[Tipo de gráfico]"],"Datasource Name":["Nome da origem de dados"],"datasource name":["nome da origem de dados"],"Create a new slice":["Crie uma nova visualização"],"Choose a datasource":["Escolha uma origem de dados"],"Choose a visualization type":["Escolha um tipo de visualização"],"Create new slice":["Crie uma nova visualização"],"Select ...":["Selecione ..."],"Loaded data cached":["Dados carregados em cache"],"Loaded from cache":["Carregado da cache"],"Click to force-refresh":["Clique para forçar atualização"],"Copy to clipboard":["Copiar para área de transferência"],"Not successful":["Não foi bem sucedido"],"Sorry, your browser does not support copying. Use Ctrl / Cmd + C!":["Desculpe, o seu navegador não suporta 'copiar'. Use Ctrl+C ou Cmd+C!"],"Copied!":["Copiado!"],"Title":["Título"],"click to edit title":["clique para editar o título"],"You don't have the rights to alter this title.":["Não tem direitos para alterar este título."],"Click to favorite/unfavorite":["Clique para tornar favorito"],"You have unsaved changes.":["Existem alterações por gravar."],"Click the":["Clique no"],"button on the top right to save your changes.":["botão no canto superior direito para gravar alterações."],"Served from data cached %s . Click to force refresh.":["Carregado a partir de dados em cache %s. Clique para forçar atualização."],"Click to force refresh":["Clique para forçar atualização"],"Error":["Erro"],"Sorry, there was an error adding slices to this dashboard: %s":["Desculpe, houve um erro ao adicionar visualizações a este dashboard: %s"],"Active Dashboard Filters":["Filtros Dashboard Ativo"],"Checkout this dashboard: %s":["Verificar dashboard: %s"],"Force refresh the whole dashboard":["Forçar atualização do dashboard"],"Edit this dashboard's properties":["Editar propriedades do dashboard"],"Load a template":["Carregue um modelo"],"Load a CSS template":["Carregue um modelo CSS"],"CSS":["CSS"],"Live CSS Editor":["Editor CSS em tempo real"],"Don't refresh":["Não atualize"],"10 seconds":["10 segundos"],"30 seconds":["30 segundos"],"1 minute":["1 minuto"],"5 minutes":["5 minutos"],"Refresh Interval":["Intervalo de atualização"],"Choose the refresh frequency for this dashboard":["Escolha a frequência de atualização para este dashboard"],"This dashboard was saved successfully.":["Dashboard gravado com sucesso."],"Sorry, there was an error saving this dashboard: ":["Desculpe, houve um erro ao gravar este dashbard: "],"You must pick a name for the new dashboard":["Escolha um nome para o novo dashboard"],"Save Dashboard":["Gravar Dashboard"],"Overwrite Dashboard [%s]":["Substituir Dashboard [%s]"],"Save as:":["Gravar como:"],"[dashboard name]":["[Nome do dashboard]"],"Name":["Nome"],"Viz":["Viz"],"Modified":["Modificado"],"Add Slices":["Adicionar visualizações"],"Add a new slice to the dashboard":["Adicionar nova visualização ao dashboard"],"Add Slices to Dashboard":["Adicionar visualizações ao dashboard"],"Move chart":["Mover gráfico"],"Force refresh data":["Forçar atualização de dados"],"Toggle chart description":["Alternar descrição do gráfico"],"Edit chart":["Editar gráfico"],"Export CSV":["Exportar CSV"],"Explore chart":["Explorar gráfico"],"Remove chart from dashboard":["Remover gráfico do dashboard"],"is expected to be a number":["deve ser um número"],"is expected to be an integer":["deve ser um número inteiro"],"cannot be empty":["não pode estar vazio"],"%s - untitled":["%s - sem título"],"Edit slice properties":["Editar propriedades da visualização"],"description":["descrição"],"bolt":["parafuso"],"Changing this control takes effect instantly":["Esta edição tem efeito instantâneo"],"Error...":["Erro..."],"Query":["Query"],"Height":["Altura"],"Width":["Largura"],"Export to .json":["Exportar para .json"],"Export to .csv format":["Exportar para o formato .csv"],"Please enter a slice name":["Por favor insira um nome para a visualização"],"Please select a dashboard":["Por favor selecione um dashboard"],"Please enter a dashboard name":["Por favor insira um nome para o dashboard"],"Save A Slice":["Grave uma visualização"],"Overwrite slice %s":["Substitua a visualização %s"],"Save as":["Gravar como"],"[slice name]":["[nome da visualização]"],"Do not add to a dashboard":["Não adicione a um dashboard"],"Add slice to existing dashboard":["Adicione uma visualização ao dashboard existente"],"Add to new dashboard":["Adicionar ao novo dashboard"],"Save & go to dashboard":["Gravar e ir para o dashboard"],"Check out this slice: %s":["Verificar visualização: %s"],"`Min` value should be numeric or empty":["O valor `Min` deve ser numérico ou vazio"],"`Max` value should be numeric or empty":["O valor `Max` deve ser numérico ou vazio"],"Min":["Mín"],"Max":["Máx"],"Something went wrong while fetching the datasource list":["O carregamento da origem de dados falhou"],"Click to point to another datasource":["Clique para indicar outra origem de dados"],"Edit the datasource's configuration":["Edite a configuração da origem de dados"],"Select a datasource":["Selecione uma origem de dados"],"Search / Filter":["Pesquisa / Filtro"],"Filter value":["Valor de filtro"],"Select metric":["Selecione métrica"],"Select column":["Selecione coluna"],"Select operator":["Selecione operador"],"Add Filter":["Adicionar filtro"],"Error while fetching data":["O carregamento de dados falhou"],"Select %s":["Selecione %s"],"textarea":["textarea"],"Edit":["Editar"],"in modal":["em modal"],"Select a visualization type":["Selecione um tipo de visualização"],"Updating chart was stopped":["A atualização do gráfico parou"],"An error occurred while rendering the visualization: %s":["Ocorreu um erro ao renderizar a visualização: %s"],"Perhaps your data has grown, your database is under unusual load, or you are simply querying a data source that is to large to be processed within the timeout range. If that is the case, we recommend that you summarize your data further.":["Talvez a quantidade de dados tenha aumentado, a base de dados está em sobrecarga anormal, ou está simplesmente a consultar uma origem de dados grande demais para ser processada dentro do intervalo de tempo limite. Se for esse o caso, recomendamos que sintetize mais os seus dados."],"Network error.":["Erro de rede."],"A reference to the [Time] configuration, taking granularity into account":["Uma referência à configuração [Time], levando em consideração a granularidade"],"Group by":["Agrupar por"],"One or many controls to group by":["Um ou vários controles para agrupar"],"Datasource":["Fonte de dados"],"Visualization Type":["Tipo de Visualização"],"The type of visualization to display":["O tipo de visualização a ser exibida"],"Metrics":["Métricas"],"One or many metrics to display":["Uma ou várias métricas para exibir"],"Percentage Metrics":["Métricas percentuais"],"Metrics for which percentage of total are to be displayed":["Métricas para qual porcentagem do total deve ser exibida"],"Y Axis Bounds":["Limites para o Eixo Y"],"Bounds for the Y axis. When left empty, the bounds are dynamically defined based on the min/max of the data. Note that this feature will only expand the axis range. It won't narrow the data's extent.":["Limites para o eixo Y. Quando deixados vazios, os limites são definidos dinamicamente com base no min / max dos dados. Observe que esse recurso expandirá apenas o alcance do eixo. Não restringirá a extensão dos dados."],"Ordering":["Encomenda"],"Annotation Layers":["Camadas de anotação"],"Annotation layers to overlay on the visualization":["Camadas de anotação para sobreposição na visualização"],"Select a annotation layer":["Selecione uma camada de anotação"],"Error while fetching annotation layers":["Erro ao buscar camadas de anotações"],"Metric":["Métrica"],"Choose the metric":["Escolha a métrica"],"Right Axis Metric":["Metric do Eixo Direito"],"Choose a metric for right axis":["Escolha uma métrica para o eixo direito"],"Stacked Style":["Estilo empilhado"],"Sort X Axis":["Ordenar Eixo X"],"Sort Y Axis":["Ordenar Eixo Y"],"Linear Color Scheme":["Esquema de cores lineares"],"Normalize Across":["Normalize em função de"],"Color will be rendered based on a ratio of the cell against the sum of across this criteria":["A cor será renderizada com base em uma proporção da célula contra a soma de este critério"],"Horizon Color Scale":["Horizon Color Scale"],"Defines how the color are attributed.":["Define como a cor é atribuída."],"Rendering":["Renderização"],"image-rendering CSS attribute of the canvas object that defines how the browser scales up the image":["atributo CSS de renderização de imagem do objeto de tela que define como o navegador aumenta a imagem"],"XScale Interval":["Intervalo eixo XX"],"Number of steps to take between ticks when displaying the X scale":["Número de passos a seguir entre os tiques ao exibir a escala X"],"YScale Interval":["Intervalo eixo YY"],"Number of steps to take between ticks when displaying the Y scale":["Número de passos a seguir entre os tiques ao exibir a escala Y"],"Include Time":["Incluir Hora"],"Whether to include the time granularity as defined in the time section":["Se deve incluir a granularidade do tempo conforme definido na seção de tempo"],"Show percentage":["Mostrar percentagem"],"Stacked Bars":["Barras empilhadas"],"Show totals":["Mostrar totais"],"Display total row/column":["Exibir linha / coluna total"],"Show Markers":["Mostrar marcadores"],"Show data points as circle markers on the lines":["Mostrar pontos de dados como marcadores de círculo nas linhas"],"Bar Values":["Mostrar valores das barras"],"Show the value on top of the bar":["Mostrar o valor em cima da barra"],"Sort Bars":["Classificar barras"],"Sort bars by x labels.":["Classifique barras pelas etiquetas do eixo xx."],"Combine Metrics":["Combinar métricas"],"Display metrics side by side within each column, as opposed to each column being displayed side by side for each metric.":["Exibir métricas lado a lado dentro de cada coluna, em oposição a cada coluna ser exibida lado a lado por cada métrica."],"Extra Controls":["Controlos Extra"],"Whether to show extra controls or not. Extra controls include things like making mulitBar charts stacked or side by side.":["Mostrar controlos extra ou não. Este tipo de controlo incluem fazer gráficos barras empilhadas ou lado a lado."],"Reduce X ticks":["Reduzir eixo dos xx"],"Reduces the number of X axis ticks to be rendered. If true, the x axis wont overflow and labels may be missing. If false, a minimum width will be applied to columns and the width may overflow into an horizontal scroll.":["Reduz o número de entradas do eixo XX a serem renderizadas. Se for verdade, o eixo xx não ficará sobrecarregado mas algumas etiquetas podem não aparecer. Se for falso, uma largura mínima será aplicada às colunas e a largura pode ficar sobrecarregada passando para um scroll horizontal."],"Include Series":["Incluir Séries"],"Include series name as an axis":["Incluir o nome da série como um eixo"],"Color Metric":["Métrica de cor"],"A metric to use for color":["Uma métrica a utilizar para cor"],"Country Name":["Nome do país"],"The name of country that Superset should display":["O nome do país que o Superset deve exibir"],"Country Field Type":["Tipo de campo País"],"The country code standard that Superset should expect to find in the [country] column":["O código padrão do país que o Superset deve esperar encontrar na coluna [País]"],"Columns":["Colunas"],"One or many controls to pivot as columns":["Um ou vários controles para pivotar como colunas"],"Columns to display":["Colunas para exibir"],"Origin":["Origem"],"Defines the origin where time buckets start, accepts natural dates as in `now`, `sunday` or `1970-01-01`":["Define a origem onde os campos de tempo começam, aceita datas naturais em inglês como `now`,`sunday` ou `1970-01-01`"],"Bottom Margin":["Margem inferior"],"Bottom margin, in pixels, allowing for more room for axis labels":["Margem inferior, em pixeis, permitindo mais espaço para as etiquetas dos eixos"],"Left Margin":["Margem esquerda"],"Left margin, in pixels, allowing for more room for axis labels":["Margem esquerda, em pixeis, permitindo mais espaço para as etiquetas dos eixos"],"Time Granularity":["Granularidade temporal"],"The time granularity for the visualization. Note that you can type and use simple natural language as in `10 seconds`, `1 day` or `56 weeks`":["O tempo de granularidade para a visualização. Observe que você pode digitar e usar linguagem natural simples, em inglês, como `10 seconds`, `1 day` ou `56 weeks`"],"Domain":["Domínio"],"The time unit used for the grouping of blocks":["Unidade de tempo usada para agrupamento de blocos"],"Subdomain":["Subdomínio"],"The time unit for each block. Should be a smaller unit than domain_granularity. Should be larger or equal to Time Grain":["A unidade de tempo para cada bloco. Deve ser uma unidade menor que domínio_granularidade. Deve ser maior ou igual a Granularidade Temporal"],"Link Length":["Comprimento da ligação"],"Link length in the force layout":["Comprimento da ligação no layout força"],"Charge":["Carregar"],"Charge in the force layout":["Carregar no layout força"],"Time Grain":["Granularidade Temporal"],"The time granularity for the visualization. This applies a date transformation to alter your time column and defines a new time granularity. The options here are defined on a per database engine basis in the Superset source code.":["A granularidade temporal para a visualização. Aplica uma transformação de data para alterar a coluna de tempo e define uma nova granularidade temporal. As opções são definidas por base de dados no código-fonte do Superset."],"Resample Rule":["Regra de Repetição"],"Pandas resample rule":["Regra de remistura de pandas"],"Resample How":["Remisturar Como"],"Pandas resample how":["Pandas remisturar como"],"Resample Fill Method":["Método de Preenchimento da Remistura"],"Pandas resample fill method":["Método de preenchimento da remistura de pandas"],"Since":["Desde"],"7 days ago":["Há 7 dias"],"Until":["Até"],"Max Bubble Size":["Tamanho máximo da bolha"],"Whisker/outlier options":["Opções de Whisker / Outlier"],"Determines how whiskers and outliers are calculated.":["Determina como são calculados os whiskers e os outliers."],"Ratio":["Rácio"],"Target aspect ratio for treemap tiles.":["Aspeto do rácio do alvo para blocos do treemap."],"Number format":["Formato numérico"],"Row limit":["Limite de linha"],"Series limit":["Limite de série"],"Limits the number of time series that get displayed":["Limita o número de séries temporais que são exibidas"],"Sort By":["Ordenar por"],"Metric used to define the top series":["Métrica usada para definir a série superior"],"Sort Descending":["Ordenar decrescente"],"Whether to sort descending or ascending":["Ordenar de forma descendente ou ascendente"],"Defines a rolling window function to apply, works along with the [Periods] text box":[""],"Periods":["Períodos"],"Defines the size of the rolling window function, relative to the time granularity selected":[""],"Min Periods":["Período Mínimo"],"Series":["Séries"],"Defines the grouping of entities. Each series is shown as a specific color on the chart and has a legend toggle":["Define o agrupamento de entidades. Cada série corresponde a uma cor específica no gráfico e tem uma alternância de legenda"],"Entity":["Entidade"],"This defines the element to be plotted on the chart":["Esta opção define o elemento a ser desenhado no gráfico"],"X Axis":["Eixo XX"],"Metric assigned to the [X] axis":["Métrica atribuída ao eixo [X]"],"Y Axis":["Eixo YY"],"Metric assigned to the [Y] axis":["Metrica atribuída ao eixo [Y]"],"Bubble Size":["Tamanho da bolha"],"URL":["URL"],"X Axis Label":["Rótulo Eixo XX"],"Y Axis Label":["Rótulo Eixo YY"],"Custom WHERE clause":["Cláusula WHERE personalizada"],"Custom HAVING clause":["Cláusula HAVING personalizada"],"The text in this box gets included in your query's HAVING clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["O texto nesta caixa é incluído na cláusula HAVING da query, como um AND para outros critérios. É possível incluir uma expressão complexa, parênteses ou qualquer outra coisa suportada pelo seu backend."],"Comparison Period Lag":["Atraso do período de comparação"],"Based on granularity, number of time periods to compare against":["Com base na granularidade, o número de períodos de tempo a comparar"],"Comparison suffix":["Sufixo de comparação"],"Suffix to apply after the percentage display":["Sufixo a aplicar após a exibição do valor percentual"],"Table Timestamp Format":["Formato da Tabela Datahora"],"Timestamp Format":["Formato do Carimbo Datahora"],"Series Height":["Altura da série"],"Pixel height of each series":["Altura de pixel de cada série"],"Page Length":["Comprimento da página"],"Rows per page, 0 means no pagination":["Linhas por página, 0 significa que não há paginação"],"X Axis Format":["Formato Eixo XX"],"Y Axis Format":["Formato do Eixo YY"],"Right Axis Format":["Formato do Eixo Direito"],"Date Time Format":["Formato da datahora"],"Markup Type":["Tipo de marcação"],"Pick your favorite markup language":["Escolha a sua linguagem de marcação favorita"],"Rotation":["Rotação"],"Rotation to apply to words in the cloud":["Rotação para aplicar a palavras na nuvem"],"Line Style":["Estilo da linha"],"Line interpolation as defined by d3.js":["Interpolação da linha conforme definido por d3.js"],"Label Type":["Tipo de etiqueta"],"What should be shown on the label?":["O que deve ser mostrado na etiqueta?"],"Code":["Código"],"Put your code here":["Insira o seu código aqui"],"Aggregation function":["Função de agregação"],"Aggregate function to apply when pivoting and computing the total rows and columns":["Função de agregação a ser aplicada ao pivotar e calcular o total de linhas e colunas"],"Font Size From":["Tamanho da fonte desde"],"Font size for the smallest value in the list":["Tamanho da fonte para o menor valor na lista"],"Font Size To":["Tamanho da fonte para"],"Font size for the biggest value in the list":["Tamanho da fonte para o maior valor na lista"],"Instant Filtering":["Filtragem instantânea"],"Range Filter":["Intervalo do filtro"],"Whether to display the time range interactive selector":["Mostrar opção de seleção do intervalo temporal"],"Date Filter":["Filtro de data"],"Whether to include a time filter":["Incluir um filtro temporal"],"Show SQL Granularity Dropdown":["Mostrar opção de seleção temporal do SQL"],"Check to include SQL Granularity dropdown":["Selecione para incluir seleção da granularidade temporal do SQL"],"Show SQL Time Column":["Mostrar coluna temporal do SQL"],"Check to include Time Column dropdown":["Selecione para incluir seleção da coluna temporal"],"Show Druid Granularity Dropdown":["Mostrar seleção da granularidade do Druid"],"Check to include Druid Granularity dropdown":["Selecione para incluir seleção de granularidade do Druid"],"Show Druid Time Origin":["Mostrar origem temporal do Druid"],"Check to include Time Origin dropdown":["Selecione para incluir seleção da Origem do tempo"],"Data Table":["Tabela de dados"],"Whether to display the interactive data table":["Se deseja exibir a tabela de dados interativos"],"Search Box":["Caixa de pesquisa"],"Whether to include a client side search box":["Incluir caixa de pesquisa do lado do cliente"],"Table Filter":["Filtro de Tabela"],"Whether to apply filter when table cell is clicked":["Aplicar filtro quando a célula da tabela é selecionada"],"Show Bubbles":["Visualizar Bolhas"],"Whether to display bubbles on top of countries":["Exibir bolhas em cima dos países"],"Legend":["Legenda"],"Whether to display the legend (toggles)":["Exibir legenda (alternar)"],"Show Values":["Mostrar valores"],"Whether to display the numerical values within the cells":["Exibir valores numéricos dentro das células"],"X bounds":["Limites XX"],"Whether to display the min and max values of the X axis":["Exibir valores mínimos e máximos do eixo XX"],"Y bounds":["Limites YY"],"Whether to display the min and max values of the Y axis":["Exibir os valores mínimos e máximos do eixo YY"],"The rich tooltip shows a list of all series for that point in time":["A descrição de apoio mostra uma lista de todas as séries para esse ponto temporal"],"Y Log Scale":["Escala Log em YY"],"Use a log scale for the Y axis":["Use uma escala logarítmica para o eixo YY"],"X Log Scale":["Escala Log em XX"],"Use a log scale for the X axis":["Use uma escala logarítmica para o eixo XX"],"Log Scale":["Escala logarítmica"],"Use a log scale":["Use uma escala logarítmica"],"Donut":["Donut"],"Do you want a donut or a pie?":["Donut ou gráfico de queijos?"],"Put labels outside":["Colocar etiquetas no exterior"],"Put the labels outside the pie?":["Colocar etiquetas no exterior do gráfico?"],"Contribution":["Contribuição"],"Compute the contribution to the total":["Calcular contribuição para o total"],"Period Ratio":["Rácio do Período"],"[integer] Number of period to compare against, this is relative to the granularity selected":["[número inteiro] Número de períodos para comparação, relativamente à granularidade selecionada"],"Period Ratio Type":["Tipo de Rácio do Período"],"`factor` means (new/previous), `growth` is ((new/previous) - 1), `value` is (new-previous)":["`fator` significa (novo/anterior),`crescimento` é ((novo/anterior) - 1), `valor` é (novo-anterior)"],"Time Shift":["Mudança de hora"],"Overlay a timeseries from a relative time period. Expects relative time delta in natural language (example: 24 hours, 7 days, 56 weeks, 365 days)":["Sobrepor série temporal de um período de tempo relativo. Espera valor de variação temporal relativa em linguagem natural (exemplo: 24 horas, 7 dias, 56 semanas, 365 dias)"],"Subheader":["Subtítulo"],"Description text that shows up below your Big Number":["Descritivo que aparece em baixo do número grande"],"label":["rótulo"],"`count` is COUNT(*) if a group by is used. Numerical columns will be aggregated with the aggregator. Non-numerical columns will be used to label points. Leave empty to get a count of points in each cluster.":["`count` é COUNT (*) se um agrupar por for utilizado. As colunas numéricas serão agregadas com o agregador. Colunas não-numéricas serão usadas para rotular pontos. Deixar em branco para obter uma contagem de pontos em cada cluster."],"Map Style":["Estilo do mapa"],"Base layer map style":["Estilo do mapa da camada base"],"Clustering Radius":["Raio do cluster"],"The radius (in pixels) the algorithm uses to define a cluster. Choose 0 to turn off clustering, but beware that a large number of points (>1000) will cause lag.":["O raio (em pixeis) que o algoritmo usa para definir um cluster. Defina como 0 para desativar o cluster, mas tenha cuidado com o facto de que um grande número de pontos (> 1000) causará atraso na visualização."],"Point Radius":["Raio de pontos"],"The radius of individual points (ones that are not in a cluster). Either a numerical column or `Auto`, which scales the point based on the largest cluster":["O raio de pontos individuais (aqueles que não estão num cluster). Ou uma coluna numérica ou `Auto`, que escala o ponto com base no maior cluster"],"Point Radius Unit":["Unidade de raio de pontos"],"The unit of measure for the specified point radius":["A unidade de medida para o raio de ponto especificado"],"Opacity":["Opacidade"],"Opacity of all clusters, points, and labels. Between 0 and 1.":["Opacidade de todos os clusters, pontos e rótulos. Entre 0 e 1."],"Zoom":["Zoom"],"Zoom level of the map":["Nível de zoom do mapa"],"Default latitude":["Latitude padrão"],"Default longitude":["Longitude padrão"],"Live render":["Renderização em tempo real"],"RGB Color":["Cor RGB"],"The color for points and clusters in RGB":["A cor para pontos e clusters em RGB"],"Color":["Cor"],"Pick a color":["Selecione uma cor"],"Ranges":["Gamas"],"Ranges to highlight with shading":["Intervalo para destacar com sombreamento"],"Range labels":["Etiquetas de intervalo"],"Labels for the ranges":["Etiquetas para os intervalos"],"Markers":["Marcadores"],"List of values to mark with triangles":["Lista de valores a marcar com triângulos"],"Marker labels":["Etiquetas de marcadores"],"Labels for the markers":["Etiquetas para marcadores"],"Marker lines":["Linhas de marcador"],"List of values to mark with lines":["Lista de valores a marcar com linhas"],"Marker line labels":["Marcadores de linha de marcador"],"Labels for the marker lines":["Etiquetas para as linhas de marcação"],"Slice ID":["ID da visualização"],"The id of the active slice":["O id da visualização ativa"],"Cache Timeout (seconds)":["Cache atingiu tempo limite (segundos)"],"The number of seconds before expiring the cache":["O número de segundos antes de expirar a cache"],"Order by entity id":["Ordenar por ID de entidade"],"Important! Select this if the table is not already sorted by entity id, else there is no guarantee that all events for each entity are returned.":["Importante! Selecione se a tabela ainda não estiver classificada por entidade, caso contrário, não há garantia de que todos os eventos para cada entidade sejam devolvidos."],"Minimum leaf node event count":["Contagem mínima de eventos no nó terminal (leaf node)"],"Leaf nodes that represent fewer than this number of events will be initially hidden in the visualization":["Os nós terminais que representam menos do que este número de eventos serão inicialmente ocultados na visualização"],"Color Scheme":["Esquema de cores"],"The color scheme for rendering chart":["O esquema de cores para o gráfico de renderização"],"Significance Level":["Nível de significância"],"Threshold alpha level for determining significance":["Nível alfa limite para determinar significância"],"p-value precision":["precisão de valor-p"],"Number of decimal places with which to display p-values":["Número de casas decimais para exibir valores-p"],"Lift percent precision":["Precisão percentual de valores lift"],"Number of decimal places with which to display lift values":["Número de casas decimais a exibir com valores lift"],"Time Series Columns":["Colunas das séries temporais"],"Options":["Opções"],"Not Time Series":["Série não temporal"],"Ignore time":["Ignore o tempo"],"Time Series":["Série temporal"],"Standard time series":["Série temporal standard"],"Aggregate Mean":["Média agregada"],"Mean of values over specified period":["Valores médios para o período especificado"],"Aggregate Sum":["Soma Agregada"],"Sum of values over specified period":["Soma de valores ao longo do período especificado"],"Difference":["Diferença"],"Metric change in value from `since` to `until`":["Variação do valor da métrica de `desde` a `até`"],"Percent Change":["Mudança percentual"],"Metric percent change in value from `since` to `until`":["Métrica de alteração percentual em valor de `desde` a `até`"],"Factor":["Fator"],"Metric factor change from `since` to `until`":["Variação do fator da métrica de `desde` a `até`"],"Advanced Analytics":["Análise Avançada"],"Use the Advanced Analytics options below":["Utilize as opções de Análise Avançada"],"Settings for time series":["Configurações para séries temporais"],"Equal Date Sizes":["Dimensões temporais iguais"],"Check to force date partitions to have the same height":["Verifique para forçar as partições de data a ter a mesma altura"],"Partition Limit":["Limite de partição"],"Partition Threshold":["Limite de partição"],"Time":["Tempo"],"Time related form attributes":["Atributos de formulário relacionados ao tempo"],"Datasource & Chart Type":["Origem de Dados & Tipo de Gráfico"],"This section exposes ways to include snippets of SQL in your query":["Esta seção demonstra formas de incluir partes de código SQL na sua query"],"Annotations":["Anotações"],"This section contains options that allow for advanced analytical post processing of query results":["Esta seção contém opções que permitem o pós-processamento analítico avançado de resultados da query"],"Result Filters":["Filtros de resultados"],"The filters to apply after post-aggregation.Leave the value control empty to filter empty strings or nulls":["Filtros para aplicar após pós-agregação. Deixe o valor de controlo vazio para filtrar células vazias ou valores nulos"],"Chart Options":["Opções do gráfico"],"Breakdowns":["Separação"],"Defines how each series is broken down":["Define como se separam cada série"],"Pie Chart":["Gráfico de Queijo"],"Dual Axis Line Chart":["Gráfico de linhas de eixo duplo"],"Y Axis 1":["Eixo YY 1"],"Y Axis 2":["Eixo YY 2"],"Left Axis Metric":["Métrica do Eixo Esquerdo"],"Choose a metric for left axis":["Escolha uma métrica para o eixo esquerdo"],"Left Axis Format":["Formatar Eixo Esquerdo"],"Axes":["Eixos"],"GROUP BY":["AGRUPAR POR"],"Use this section if you want a query that aggregates":["Use esta seção se deseja um query agregadora"],"NOT GROUPED BY":["NÃO AGRUPADO POR"],"Use this section if you want to query atomic rows":["Use esta seção se desejar query linhas atómicas"],"Time Series Table":["Tabela de séries temporais"],"Templated link, it's possible to include {{ metric }} or other values coming from the controls.":["Ligação predefinida, é possível incluir {{ metric }} ou outros valores provenientes dos controlos."],"Pivot Options":["Opções de pivot"],"Bubbles":["Bolhas"],"Numeric Column":["Coluna numérica"],"Select the numeric column to draw the histogram":["Selecione a coluna numéria a visualizar no histograma"],"No of Bins":["Número de caixas"],"Select number of bins for the histogram":["Selecione o número de caixas para o histograma"],"Primary Metric":["Métrica Primária"],"The primary metric is used to define the arc segment sizes":["A métrica primária é usada para definir o tamanho do segmento de arco"],"Secondary Metric":["Métrica secundária"],"This secondary metric is used to define the color as a ratio against the primary metric. If the two metrics match, color is mapped level groups":["Esta métrica secundária é usada para definir cor como uma relação com a métrica primária. Se as duas métricas combinarem, as cores são grupos de nível mapeados"],"Hierarchy":["Hierarquia"],"This defines the level of the hierarchy":["Define o nível da hierarquia"],"Source / Target":["Fonte / Alvo"],"Choose a source and a target":["Escolha uma fonte e um alvo"],"Chord Diagram":["Diagrama de cordas"],"Choose a number format":["Escolha um formato de número"],"Source":["Fonte"],"Choose a source":["Escolha uma fonte"],"Target":["Alvo"],"Choose a target":["Escolha um alvo"],"ISO 3166-2 codes of region/province/department":["ISO 3166-2 códigos de região / província / departamento"],"It's ISO 3166-2 of your region/province/department in your table. (see documentation for list of ISO 3166-2)":["É o código ISO 3166-2 da sua região / província / departamento na sua tabela. (ver documentação para obter a lista de ISO 3166-2)"],"Country Control":["Controlo de País"],"3 letter code of the country":["Código de 3 letras do país"],"Metric for color":["Métrica para cor"],"Metric that defines the color of the country":["Métrica que define a cor do país"],"Bubble size":["Tamanho da bolha"],"Metric that defines the size of the bubble":["Métrica que define o tamanho da bolha"],"Filter Box":["Caixa de filtro"],"Filter controls":["Controlo de filtro"],"The controls you want to filter on. Note that only columns checked as \"filterable\" will show up on this list.":["Os controles nos quais deseja filtrar. Observe que somente as colunas marcadas como \"filtráveis\" aparecerão nesta lista."],"Heatmap Options":["Opções do Mapa de Calor"],"Value bounds":["Limites de valor"],"Value Format":["Formato de valor"],"Horizon":["Horizonte"],"Points":["Pontos"],"Labelling":["Marcação"],"Visual Tweaks":["Alterações Visuais"],"Longitude":["Longitude"],"Column containing longitude data":["Coluna que contém a longitude"],"Latitude":["Latitude"],"Column containing latitude data":["Coluna que contém a latitude"],"Cluster label aggregator":["Agregador de etiquetas de cluster"],"Aggregate function applied to the list of points in each cluster to produce the cluster label.":["Função agregada aplicada à lista de pontos em cada cluster para produzir a etiqueta do cluster."],"Tooltip":["Tooltip"],"Show a tooltip when hovering over points and clusters describing the label":["Mostra a tooltip quando se passa o rato pelos pontos e clusters que descrevem a etiqueta"],"One or many controls to group by. If grouping, latitude and longitude columns must be present.":["Um ou mais controlos para Agrupar por. Ao agrupar, é obrigatória a presença das colunas de longitude e latitude."],"Event definition":["Definição de evento"],"Additional meta data":["Metadados adicionais"],"Column containing entity ids":["Coluna que contém IDs de entidades"],"e.g., a \"user id\" column":["por exemplo, uma coluna de ID de utilizador"],"Column containing event names":["Coluna que contém nomes de eventos"],"Event count limit":["Limite do número de eventos"],"The maximum number of events to return, equivalent to number of rows":["O número máximo de eventos a aparecer, equivalente ao número de linhas"],"Meta data":["Metadados"],"Select any columns for meta data inspection":["Selecione qualquer coluna para inspeção de metadados"],"Paired t-test":["Teste-t emparelhado"],"Time Series Options":["Opções da série temporal"],"The server could not be reached. You may want to verify your connection and try again.":["Não foi possível obter resposta do servidor. Verifique conexão e tente novamente."],"An unknown error occurred. (Status: %s )":["Ocorreu um erro desconhecido. (Estado: %s )"],"Favorites":["Favoritos"],"Created Content":["Conteúdo Criado"],"Recent Activity":["Atividade Recente"],"Security & Access":["Segurança e Acesso"],"No slices":["Sem visualizações"],"No dashboards":["Sem dashboards"],"Dashboards":["Dashboards"],"Slices":["Visualizações"],"No favorite slices yet, go click on stars!":["Ainda não há visualizações favoritas, comece a clicar nas estrelas!"],"No favorite dashboards yet, go click on stars!":["Ainda não há dashboards favoritos, comece a clicar nas estrelas!"],"Roles":["Cargo"],"Databases":["Bases de dados"],"Datasources":["Origem de dados"],"Profile picture provided by Gravatar":["Foto de perfil fornecida por Gravatar"],"id:":["id:"],"Sorry, there appears to be no data":["As nossas desculpas, mas parecem não existir dados"],"Select [%s]":["Selecionar [%s]"],"No data was returned.":["Não foram obtidos dados."],"List Druid Column":["Lista de Colunas Druid"],"Show Druid Column":["Mostrar Colunas Druid"],"Add Druid Column":["Adicionar Colunas Druid"],"Edit Druid Column":["Editar Colunas Druid"],"Column":["Coluna"],"Type":["Tipo"],"Groupable":["Agrupável"],"Filterable":["Filtrável"],"Count Distinct":["Soma Distinta"],"Sum":["Soma"],"Whether this column is exposed in the `Filters` section of the explore view.":["Se esta coluna está exposta na seção `Filtros` da vista de exploração."],"List Druid Metric":["Lista de Métricas Druid"],"Show Druid Metric":["Mostrar Métrica Druid"],"Add Druid Metric":["Adicionar Métrica Druid"],"Edit Druid Metric":["Editar Métrica Druid"],"Whether the access to this metric is restricted to certain roles. Only roles with the permission 'metric access on XXX (the name of this metric)' are allowed to access this metric":["Se o acesso a esta métrica é restrito a determinadas funções. Somente cargos com permissão 'acesso à métrica em XXX (nome da métrica)' estão autorizados a aceder a esta métrica"],"Verbose Name":["Nome Detalhado"],"JSON":["JSON"],"Druid Datasource":["Origem de Dados Druid"],"Warning Message":["Mensagem de Aviso"],"List Druid Cluster":["Lista de Cluster Druid"],"Show Druid Cluster":["Mostrar Cluster Druid"],"Add Druid Cluster":["Adicionar Cluster Druid"],"Edit Druid Cluster":["Editar Cluster Druid"],"Cluster":["Cluster"],"Druid Clusters":["Cluster Druid"],"Sources":["Fontes"],"List Druid Datasource":["Lista de origem de dados Druid"],"Show Druid Datasource":["Mostrar origem de dados Druid"],"Add Druid Datasource":["Adicionar origem de dados Druid"],"Edit Druid Datasource":["Editar origem de dados Druid"],"Timezone offset (in hours) for this datasource":["Diferença do fuso horário (em horas) para esta fonte de dados"],"Time expression to use as a predicate when retrieving distinct values to populate the filter component. Only applies when `Enable Filter Select` is on. If you enter `7 days ago`, the distinct list of values in the filter will be populated based on the distinct value over the past week":["Expressão temporal a ser utilizada como predicado ao recuperar valores distintos para preencher o componente do filtro. Apenas aplicável quando \"Permitir Seleção de Filtro\" estiver ativado. Ao inserir `7 dias atrás ', a lista distinta de valores no filtro será preenchida com base no valor distinto da semana passada"],"Whether to populate the filter's dropdown in the explore view's filter section with a list of distinct values fetched from the backend on the fly":["Preencher a lista de filtros, na vista de exploração, com valores distintos carregados em tempo real a partir do backend"],"Redirects to this endpoint when clicking on the datasource from the datasource list":["Redireciona para este endpoint quando se seleciona a origem de dados da respetiva lista"],"Associated Slices":["Visualizações Associadas"],"Data Source":["Origem de dados"],"Owner":["Proprietário"],"Is Hidden":["É Oculto"],"Enable Filter Select":["Ativar Filtro de Seleção"],"Default Endpoint":["Endpoint Padrão"],"Time Offset":["Time Offset"],"Cache Timeout":["Tempo limite para cache"],"Druid Datasources":["Origem de dados Druid"],"Scan New Datasources":["Procurar novas origens de dados"],"Refresh Druid Metadata":["Atualizar Metadados Druid"],"Datetime column not provided as part table configuration and is required by this type of chart":["Coluna datahora não definida como parte da configuração da tabela e obrigatória para este tipo de gráfico"],"Empty query?":["Query vazia?"],"Metric '{}' is not valid":["A métrica '{}' não é válida"],"Table [{}] doesn't seem to exist in the specified database, couldn't fetch column information":["A tabela [{}] não parece existir na base de dados especificada, não foi possível carregar informações da coluna"],"List Columns":["Lista de Colunas"],"Show Column":["Mostrar Coluna"],"Add Column":["Adicionar Coluna"],"Edit Column":["Editar Coluna"],"The data type that was inferred by the database. It may be necessary to input a type manually for expression-defined columns in some cases. In most case users should not need to alter this.":["O tipo de dados que foi inferido pela base de dados. Pode ser necessário inserir um tipo manualmente para colunas definidas por expressões em alguns casos. A maioria dos casos não requer alteração por parte do utilizador."],"Expression":["Expressão"],"Is temporal":["É temporal"],"Datetime Format":["Formato de data e hora"],"Database Expression":["Expressão de base de dados"],"List Metrics":["Lista de Métricas"],"Show Metric":["Mostrar Métrica"],"Add Metric":["Adicionar Métrica"],"Edit Metric":["Editar Métrica"],"SQL Expression":["Expressão SQL"],"D3 Format":["Formato D3"],"Is Restricted":["É Restrito"],"List Tables":["Lista de Tabelas"],"Show Table":["Mostrar Tabela"],"Add Table":["Adicionar Tabela"],"Edit Table":["Editar Tabela"],"Name of the table that exists in the source database":["Nome da tabela que existe na base de dados de origem"],"Schema, as used only in some databases like Postgres, Redshift and DB2":["Esquema, como utilizado em algumas base de dados, como Postgres, Redshift e DB2"],"Predicate applied when fetching distinct value to populate the filter control component. Supports jinja template syntax. Applies only when `Enable Filter Select` is on.":["Predicado aplicado ao obter um valor distinto para preencher a componente de controlo de filtro. Suporta a sintaxe jinja standard. Apenas se aplica quando \"Ativar Filtro de Seleção\" está ativado."],"Redirects to this endpoint when clicking on the table from the table list":["Redireciona para este endpoint ao clicar na tabela da respetiva lista"],"Changed By":["Alterado por"],"Database":["Base de dados"],"Last Changed":["Modificado pela última vez"],"Schema":["Esquema"],"Offset":["Offset"],"Table Name":["Nome da Tabela"],"Fetch Values Predicate":["Carregar Valores de Predicado"],"Main Datetime Column":["Coluna Datahora principal"],"Table [{}] could not be found, please double check your database connection, schema, and table name":["Tabela [{}] não encontrada, por favor verifique conexão à base de dados, esquema e nome da tabela"],"The table was created. As part of this two phase configuration process, you should now click the edit button by the new table to configure it.":["A tabela foi criada. Como parte deste processo de configuração de duas fases, deve agora clicar no botão Editar, na nova tabela, para configurá-lo."],"Refresh Metadata":["Atualizar Metadados"],"Refresh column metadata":["Atualizar coluna de metadados"],"Metadata refreshed for the following table(s): %(tables)s":["Metadados atualizados para a seguinte tabela(s): %(tables)s"],"Tables":["Tabelas"],"Profile":["Perfil"],"Logout":["Sair"],"Login":["Login"],"Record Count":["Número de Registos"],"No records found":["Nenhum registo encontrado"],"Import":["Importar"],"No Access!":["Não há acesso!"],"You do not have permissions to access the datasource(s): %(name)s.":["Não tem permissão para aceder à origem de dados: %(name)s."],"Request Permissions":["Requisição de Permissão"],"Welcome!":["Bem vindo!"],"Test Connection":["Conexão de teste"],"Manage":["Gerir"],"Datasource %(name)s already exists":["Origem de dados %(name)s já existe"],"json isn't valid":["json não é válido"],"Delete":["Eliminar"],"Delete all Really?":["Tem a certeza que pretende eliminar tudo?"],"This endpoint requires the `all_datasource_access` permission":["Este endpoint requer a permissão `all_datasource_access"],"The datasource seems to have been deleted":["Esta origem de dados parece ter sido excluída"],"The access requests seem to have been deleted":["Os pedidos de acesso parecem ter sido eliminados"],"The user seems to have been deleted":["O utilizador parece ter sido eliminado"],"You don't have access to this datasource":["Não tem acesso a esta origem de dados"],"This view requires the database %(name)s or `all_datasource_access` permission":["A visualização requer o permissão da base de dados %(name) s ou 'all_datasource_access' permissão"],"This endpoint requires the datasource %(name)s, database or `all_datasource_access` permission":["Este ponto final requer a fonte de dados %(name)s, permissão 'all_datasource_access' ou base de dados"],"List Databases":["Listar Base de Dados"],"Show Database":["Mostrar Base de Dados"],"Add Database":["Adicionar Base de Dados"],"Edit Database":["Editar Base de Dados"],"Expose this DB in SQL Lab":["Expor esta BD no SQL Lab"],"Allow users to run synchronous queries, this is the default and should work well for queries that can be executed within a web request scope (<~1 minute)":["Permitir que os usuários executem queries síncronas, que é o padrão e deve funcionar bem para queries que podem ser executadas dentro do âmbito de solicitação na web (<~ 1 minuto)"],"Allow users to run queries, against an async backend. This assumes that you have a Celery worker setup as well as a results backend.":["Permitir que os usuários executem queries, contra um backend assíncrono. Isto pressupõem uma configuração definida para um Celery worker, bem como um backend de resultados."],"Allow CREATE TABLE AS option in SQL Lab":["Permitir a opção CREATE TABLE AS no SQL Lab"],"Allow users to run non-SELECT statements (UPDATE, DELETE, CREATE, ...) in SQL Lab":["Permitir que os usuários executem instruções non-SELECT (UPDATE, DELETE, CREATE, ...) no SQL Lab"],"When allowing CREATE TABLE AS option in SQL Lab, this option forces the table to be created in this schema":["Ao permitir a opção CREATE TABLE AS no SQL Lab, esta opção força a tabela a ser criada neste esquema"],"If Presto, all the queries in SQL Lab are going to be executed as the currently logged on user who must have permission to run them.
If Hive and hive.server2.enable.doAs is enabled, will run the queries as service account, but impersonate the currently logged on user via hive.server2.proxy.user property.":["Se Presto, todas as consultas no SQL Lab serão executadas como o utilizador atualmente conectado que deve ter permissão para as executar.
Se hive e hive.server2.enable.doAs estiver habilitado, serão executadas as queries como conta de serviço, mas deve personificar o utilizador atualmente conectado recorrendo à propriedade hive.server2.proxy.user."],"Expose in SQL Lab":["Expor no SQL Lab"],"Allow CREATE TABLE AS":["Permitir CREATE TABLE AS"],"Allow DML":["Permitir DML"],"CTAS Schema":["Esquema CTAS"],"Creator":["Criador"],"SQLAlchemy URI":["URI SQLAlchemy"],"Extra":["Extra"],"Allow Run Sync":["Permitir Run Sync"],"Allow Run Async":["Permitir Run Async"],"Impersonate the logged on user":["Personificar o utilizador conectado"],"Import Dashboards":["Importar Dashboards"],"User":["Utilizador"],"User Roles":["Cargo do Utilizador"],"Database URL":["URL da Base de Dados"],"Roles to grant":["Cargos a permitir ao utilizador"],"Created On":["Criado em"],"Access requests":["Solicitações de acesso"],"Security":["Segurança"],"List Slices":["Lista de Visualizações"],"Show Slice":["Mostrar Visualização"],"Add Slice":["Adicionar Visualização"],"Edit Slice":["Editar Visualização"],"These parameters are generated dynamically when clicking the save or overwrite button in the explore view. This JSON object is exposed here for reference and for power users who may want to alter specific parameters.":["Os parâmetros são gerados dinamicamente ao clicar no botão Guardar ou Substituir na vista de exibição. Este objeto JSON é exposto aqui para referência e para utilizadores avançados que desejam alterar parâmetros específicos."],"Duration (in seconds) of the caching timeout for this slice.":["Duração (em segundos) do tempo limite da cache para esta visualização."],"Last Modified":["Última Alteração"],"Owners":["Proprietários"],"Parameters":["Parâmetros"],"Slice":["Visualização"],"List Dashboards":["Lista de Dashboards"],"Show Dashboard":["Mostrar Dashboard"],"Add Dashboard":["Adicionar Dashboard"],"Edit Dashboard":["Editar Dashboard"],"This json object describes the positioning of the widgets in the dashboard. It is dynamically generated when adjusting the widgets size and positions by using drag & drop in the dashboard view":["Este objeto JSON descreve o posicionamento das visualizações no dashboard. É gerado dinamicamente quando se ajusta a dimensão e posicionamento de uma visualização utilizando o drag & drop na vista de dashboard"],"The css for individual dashboards can be altered here, or in the dashboard view where changes are immediately visible":["O css para dashboards individuais pode ser alterado aqui ou na vista de dashboard, onde as mudanças são imediatamente visíveis"],"To get a readable URL for your dashboard":["Obter um URL legível para o seu dashboard"],"This JSON object is generated dynamically when clicking the save or overwrite button in the dashboard view. It is exposed here for reference and for power users who may want to alter specific parameters.":["Este objeto JSON é gerado dinamicamente ao clicar no botão salvar ou substituir na exibição do painel. É exposto aqui para referência e para usuários avançados que desejam alterar parâmetros específicos."],"Owners is a list of users who can alter the dashboard.":["Proprietários é uma lista de utilizadores que podem alterar o dashboard."],"Dashboard":["Dashboard"],"Slug":["Slug"],"Position JSON":["Posição JSON"],"JSON Metadata":["Metadados JSON"],"Export":["Exportar"],"Export dashboards?":["Exportar dashboards?"],"Action":["Acção"],"dttm":["dttm"],"Action Log":["Registo de Acções"],"Access was requested":["O acesso foi solicitado"],"%(user)s was granted the role %(role)s that gives access to the %(datasource)s":["Ao utilizador %(user)s foi concedido o cargo %(role)s que dá acesso ao %(datasource)s"],"Role %(r)s was extended to provide the access to the datasource %(ds)s":["O cargo %(r)s foi alargado para providenciar acesso à origem de dados %(ds)s"],"You have no permission to approve this request":["Não tem permissão para aprovar este pedido"],"Malformed request. slice_id or table_name and db_name arguments are expected":["Pedido mal formado. Os argumentos slice_id ou table_name e db_name não foram preenchidos"],"Slice %(id)s not found":["Visualização %(id)s não encontrada"],"Table %(t)s wasn't found in the database %(d)s":["A tabela %(t)s não foi encontrada na base de dados %(d)s"],"Can't find User '%(name)s', please ask your admin to create one.":["Não foi possível encontrar o utilizador '%(name)s', por favor entre em contacto com o administrador."],"Can't find DruidCluster with cluster_name = '%(name)s'":["Não foi possível encontrar DruidCluster com cluster_name = '%(name)s'"],"Query record was not created as expected.":["O registo da query não foi criado conforme o esperado."],"Template Name":["Nome do modelo"],"CSS Templates":["Modelos CSS"],"SQL Editor":["Editor SQL"],"SQL Lab":["SQL Lab"],"Query Search":["Pesquisa de Query"],"Status":["Estado"],"Start Time":["Início"],"End Time":["Fim"],"Queries":["Queries"],"List Saved Query":["Lista de Queries Gravadas"],"Show Saved Query":["Mostrar Query"],"Add Saved Query":["Adicionar Query"],"Edit Saved Query":["Editar Query"],"Pop Tab Link":["Ligação Abrir Aba"],"Changed on":["Alterado em"],"Saved Queries":["Queries Gravadas"]}}} \ No newline at end of file diff --git a/superset/translations/pt_BR/LC_MESSAGES/messages.json b/superset/translations/pt_BR/LC_MESSAGES/messages.json index 06911acb2..f2c675df5 100644 --- a/superset/translations/pt_BR/LC_MESSAGES/messages.json +++ b/superset/translations/pt_BR/LC_MESSAGES/messages.json @@ -2100,15 +2100,6 @@ "Cluster": [ "Grupo" ], - "Coordinator Host": [ - "Coordenador de Host" - ], - "Coordinator Port": [ - "Porto Coordenador" - ], - "Coordinator Endpoint": [ - "Ponto final do coordenador" - ], "Broker Host": [ "Host de corretor" ], diff --git a/superset/translations/pt_BR/LC_MESSAGES/messages.po b/superset/translations/pt_BR/LC_MESSAGES/messages.po index 871002123..141f817ed 100644 --- a/superset/translations/pt_BR/LC_MESSAGES/messages.po +++ b/superset/translations/pt_BR/LC_MESSAGES/messages.po @@ -3253,18 +3253,6 @@ msgstr "Editar Druid Cluster" msgid "Cluster" msgstr "Grupo" -#: superset/connectors/druid/views.py:142 -msgid "Coordinator Host" -msgstr "Coordenador de Host" - -#: superset/connectors/druid/views.py:143 -msgid "Coordinator Port" -msgstr "Porto Coordenador" - -#: superset/connectors/druid/views.py:144 -msgid "Coordinator Endpoint" -msgstr "Ponto final do coordenador" - #: superset/connectors/druid/views.py:145 msgid "Broker Host" msgstr "Host de corretor" diff --git a/superset/translations/ru/LC_MESSAGES/messages.json b/superset/translations/ru/LC_MESSAGES/messages.json index 38e2e7d5c..f375364be 100644 --- a/superset/translations/ru/LC_MESSAGES/messages.json +++ b/superset/translations/ru/LC_MESSAGES/messages.json @@ -2572,15 +2572,6 @@ "Cluster": [ "Кластер" ], - "Coordinator Host": [ - "Координатор Хост" - ], - "Coordinator Port": [ - "Координатор Порт" - ], - "Coordinator Endpoint": [ - "Координатор Конечная Точка" - ], "Broker Host": [ "Брокер-Хост" ], diff --git a/superset/translations/ru/LC_MESSAGES/messages.po b/superset/translations/ru/LC_MESSAGES/messages.po index 5ea2cc1b5..da0d9f439 100644 --- a/superset/translations/ru/LC_MESSAGES/messages.po +++ b/superset/translations/ru/LC_MESSAGES/messages.po @@ -3953,18 +3953,6 @@ msgstr "Редактировать Кластер Druid" msgid "Cluster" msgstr "Кластер" -#: superset/connectors/druid/views.py:165 -msgid "Coordinator Host" -msgstr "Координатор Хост" - -#: superset/connectors/druid/views.py:166 -msgid "Coordinator Port" -msgstr "Координатор Порт" - -#: superset/connectors/druid/views.py:167 -msgid "Coordinator Endpoint" -msgstr "Координатор Конечная Точка" - #: superset/connectors/druid/views.py:168 msgid "Broker Host" msgstr "Брокер-Хост" diff --git a/superset/translations/zh/LC_MESSAGES/messages.json b/superset/translations/zh/LC_MESSAGES/messages.json index ad3c4a32a..9bce5a1e5 100644 --- a/superset/translations/zh/LC_MESSAGES/messages.json +++ b/superset/translations/zh/LC_MESSAGES/messages.json @@ -1 +1 @@ -{"domain":"superset","locale_data":{"superset":{"":{"domain":"superset","plural_forms":"nplurals=1; plural=0","lang":"zh"},"Time Column":["时间字段"],"second":["秒"],"minute":["分"],"hour":["小时"],"day":["天"],"week":["周"],"month":["月"],"quarter":["季度"],"year":["年"],"week_ending_saturday":["周日为一周开始"],"week_start_sunday":["周日为一周结束"],"week_start_monday":["周一为一周开始"],"5 minute":["5 分钟"],"half hour":["半小时"],"10 minute":["10 分钟"],"Table Name":["表名"],"Name of table to be created from csv data.":[""],"CSV File":[""],"Select a CSV file to be uploaded to a database.":[""],"CSV Files Only!":[""],"Database":["数据库"],"Delimiter":[""],"Delimiter used by CSV file (for whitespace use \\s+).":[""],"Table Exists":[""],"If table exists do one of the following: Fail (do nothing), Replace (drop and recreate table) or Append (insert data).":[""],"Fail":[""],"Replace":[""],"Append":[""],"Schema":["模式"],"Specify a schema (if database flavour supports this).":[""],"Header Row":[""],"Row containing the headers to use as column names (0 is first line of data). Leave empty if there is no header row.":[""],"Index Column":[""],"Column to use as the row labels of the dataframe. Leave empty if no index column.":[""],"Mangle Duplicate Columns":[""],"Specify duplicate columns as \"X.0, X.1\".":[""],"Skip Initial Space":[""],"Skip spaces after delimiter.":[""],"Skip Rows":[""],"Number of rows to skip at start of file.":[""],"Rows to Read":[""],"Number of rows of file to read.":[""],"Skip Blank Lines":[""],"Skip blank lines rather than interpreting them as NaN values.":[""],"Parse Dates":[""],"A comma separated list of columns that should be parsed as dates.":[""],"Infer Datetime Format":[""],"Use Pandas to interpret the datetime format automatically.":[""],"Decimal Character":[""],"Character to interpret as decimal point.":[""],"Dataframe Index":[""],"Write dataframe index as a column.":[""],"Column Label(s)":[""],"Column label for index column(s). If None is given and Dataframe Index is True, Index Names are used.":[""],"[Superset] Access to the datasource %(name)s was granted":["[Superset] 允许访问数据源 %(name)s"],"Viz is missing a datasource":["Viz 缺少一个数据源"],"From date cannot be larger than to date":["起始时间不可以大于当前时间"],"Table View":["表视图"],"Pick a granularity in the Time section or uncheck 'Include Time'":["在“时间”部分选择一个粒度,或取消选中“包括时间”"],"Choose either fields to [Group By] and [Metrics] or [Columns], not both":["为[分组]和[指标]或[列]选择任何的字段,或者两个都不选"],"Time Table View":[""],"Pick at least one metric":["选择至少一个指标"],"When using 'Group By' you are limited to use a single metric":[""],"Pivot Table":["透视表"],"Please choose at least one 'Group by' field ":[""],"Please choose at least one metric":["请至少选择一个指标"],"Group By' and 'Columns' can't overlap":[""],"Markup":["标记"],"Separator":["分隔符"],"Word Cloud":["词汇云"],"Treemap":["树状图"],"Calendar Heatmap":["时间热力图"],"Box Plot":["箱线图"],"Bubble Chart":["气泡图"],"Pick a metric for x, y and size":["为 x 轴,y 轴和大小选择一个指标"],"Bullet Chart":["子弹图"],"Pick a metric to display":["选择一个指标来显示"],"Big Number with Trendline":["数字和趋势线"],"Pick a metric!":["选择一个指标!"],"Big Number":["数字"],"Time Series - Line Chart":["时间序列-折线图"],"Pick a time granularity for your time series":["为您的时间序列选择一个时间粒度"],"`Since` and `Until` time bounds should be specified when using the `Time Shift` feature.":[""],"Time Series - Multiple Line Charts":[""],"Time Series - Dual Axis Line Chart":["时间序列-双轴线图"],"Pick a metric for left axis!":["为左轴选择一个指标!"],"Pick a metric for right axis!":["为右轴选择一个指标!"],"Please choose different metrics on left and right axis":["请在左右轴上选择不同的指标"],"Time Series - Bar Chart":["时间序列 - 柱状图"],"Time Series - Period Pivot":[""],"Time Series - Percent Change":["时间序列 - 百分比变化"],"Time Series - Stacked":["时间序列 - 堆积图"],"Distribution - NVD3 - Pie Chart":["分布 - NVD3 - 饼图"],"Histogram":["直方图"],"Must have at least one numeric column specified":[""],"Distribution - Bar Chart":["分布 - 柱状图"],"Can't have overlap between Series and Breakdowns":["Series 和 Breakdown 之间不能有重叠"],"Pick at least one field for [Series]":["为 [序列] 选择至少一个字段"],"Sunburst":["环状层次图"],"Sankey":["蛇形图"],"Pick exactly 2 columns as [Source / Target]":["为 [来源 / 目标] 选择两个列"],"There's a loop in your Sankey, please provide a tree. Here's a faulty link: {}":["桑基图里面有一个循环,请提供一棵树。这是一个错误的链接:{}"],"Directed Force Layout":["有向图"],"Pick exactly 2 columns to 'Group By'":["为 “Group By” 选择两个列"],"Country Map":["国家地图"],"World Map":["世界地图"],"Filters":["过滤"],"Pick at least one filter field":["选择至少一个过滤字段"],"iFrame":["内嵌框架"],"Parallel Coordinates":["平行坐标"],"Heatmap":["热力图"],"Horizon Charts":["水平图"],"Mapbox":["箱图"],"Must have a [Group By] column to have 'count' as the [Label]":["[Group By] 列必须要有 ‘count’字段作为 [标签]"],"Choice of [Label] must be present in [Group By]":["[标签] 的选择项必须出现在 [Group By]"],"Choice of [Point Radius] must be present in [Group By]":["[点半径] 的选择项必须出现在 [Group By]"],"[Longitude] and [Latitude] columns must be present in [Group By]":["[经度] 和 [纬度] 的选择项必须出现在 [Group By]"],"Deck.gl - Multiple Layers":[""],"Bad spatial key":[""],"Deck.gl - Scatter plot":[""],"Deck.gl - Screen Grid":[""],"Deck.gl - 3D Grid":[""],"Deck.gl - Paths":[""],"Deck.gl - Polygon":[""],"Deck.gl - 3D HEX":[""],"Deck.gl - GeoJSON":[""],"Deck.gl - Arc":[""],"Event flow":["事件流"],"Time Series - Paired t-test":["时间序列 - 配对t检验"],"Time Series - Nightingale Rose Chart":[""],"Partition Diagram":[""],"Your session timed out, please refresh your page and try again.":["您的会话已超时,请刷新页面后,再重试。"],"Your query was saved":["您的查询已保存"],"Your query could not be saved":["您的查询无法保存"],"Failed at retrieving results from the results backend":["无法从结果后端检索到"],"Unknown error":[""],"Query was stopped.":["查询被终止。"],"Failed at stopping query.":["无法终止查询。"],"Error occurred while fetching table metadata":["获取表格元数据时发生错误"],"shared query":["已分享的查询"],"The query couldn't be loaded":["这个查询无法被加载"],"An error occurred while creating the data source":["创建数据源时发生错误"],"Pick a chart type!":["选择一个图表类型!"],"To use this chart type you need at least one column flagged as a date":["要使用此图表类型,您至少需要一个标记为日期格式的列"],"To use this chart type you need at least one dimension":["要使用此图表类型,您至少需要一个维度"],"To use this chart type you need at least one aggregation function":["要使用这种图表类型,您至少需要一个聚合函数"],"Untitled Query":["未命名的查询"],"Copy of %s":["%s 的副本"],"share query":["分享查询"],"copy URL to clipboard":["拷贝 URL 到剪切板"],"Raw SQL":["行 SQL"],"Source SQL":["源 SQL"],"SQL":["SQL"],"No query history yet...":["暂无历史查询..."],"It seems you don't have access to any database":["貌似您没有访问到任何数据库"],"Search Results":["搜索结果"],"[From]-":["[From]-"],"[To]-":["[To]-"],"[Query Status]":["[查询状态]"],"Search":["搜索"],"Open in SQL Editor":["在 SQL 编辑器中打开"],"view results":["展示结果"],"Data preview":["数据预览"],"Visualize the data out of this query":["从这个查询中可视化数据"],"Overwrite text in editor with a query on this table":["使用该表上的查询覆盖编辑器中的文本"],"Run query in a new tab":["在新标签中运行查询"],"Remove query from log":["从日志中删除查询"],".CSV":[".CSV"],"Visualize":["可视化"],"Table":["表"],"was created":["已创建"],"Query in a new tab":["在新标签中查询"],"Fetch data preview":["获取数据预览"],"Track Job":["跟踪任务"],"Loading...":["加载中..."],"Run Selected Query":["运行选定的查询"],"Run Query":["运行查询"],"Run query synchronously":[""],"Run query asynchronously":["异步运行查询"],"Stop":["停止"],"Undefined":["未命名"],"Label":["标签"],"Label for your query":["为您的查询设置标签"],"Description":["描述"],"Write a description for your query":["为您的查询写一段描述"],"Save":["保存"],"Cancel":["取消"],"Save Query":["保存查询"],"Share Query":[""],"Run a query to display results here":["运行一个查询,以在此显示结果"],"Preview for %s":["预览 %s"],"Results":["结果"],"Query History":["历史查询"],"Create table as with query results":["与查询结果一样创建表"],"new table name":["新表名称"],"Error while fetching table list":["获取表列表时出错"],"Error while fetching schema list":["获取模式列表时出错"],"Type to search ...":["键入搜索 ..."],"Select table ":[""],"Error while fetching database list":["获取数据库列表时出错"],"Database:":["数据库:"],"Select a database":["选择一个数据库"],"Select a schema (%s)":["选择一个模式(%s)"],"Schema:":["模式:"],"Add a table (%s)":["增加一张表(%s)"],"Reset State":["状态重置"],"Enter a new title for the tab":["输入标签的新标题"],"Untitled Query %s":["未命名的查询 %s"],"close tab":["关闭标签"],"rename tab":["重命名标签"],"expand tool bar":["展开工具栏"],"hide tool bar":["隐藏工具栏"],"Copy partition query to clipboard":["将分区查询复制到剪贴板"],"latest partition:":["最新分区:"],"Keys for table":["表的键"],"View keys & indexes (%s)":["查看键和索引(%s)"],"Sort columns alphabetically":["对列按字母顺序进行排列"],"Original table column order":["原始表列顺序"],"Copy SELECT statement to clipboard":["将 SELECT 语句复制到剪贴板"],"Remove table preview":["删除表格预览"],"Template Parameters":[""],"Edit template parameters":[""],"Invalid JSON":[""],"%s is not right as a column name, please alias it (as in SELECT count(*) ":[""],"AS my_alias":["作为 my_alias"],"using only alphanumeric characters and underscores":["只使用字母、数字、字符和下划线"],"Creating a data source and popping a new tab":["创建数据源,并弹出一个新的标签页"],"No results available for this query":["没有可用于此查询的结果"],"Chart Type":["图表类型"],"[Chart Type]":["[图表类型]"],"Datasource Name":["数据库名称"],"datasource name":["数据库名称"],"Create a new chart":[""],"Choose a datasource":[""],"If the datasource your are looking for is not available in the list, follow the instructions on the how to add it on the ":[""],"Superset tutorial":[""],"Choose a visualization type":[""],"Create new chart":[""],"Unexpected error: ":[""],"Unexpected error.":[""],"Updating chart was stopped":["更新图表已停止"],"An error occurred while rendering the visualization: %s":["渲染可视化时发生错误:%s"],"visualization queries are set to timeout at ${action.timeout} seconds. ":[""],"Perhaps your data has grown, your database is under unusual load, or you are simply querying a data source that is too large to be processed within the timeout range. If that is the case, we recommend that you summarize your data further.":[""],"Network error.":["网络异常。"],"Click to see difference":[""],"Altered":[""],"Chart changes":[""],"Select ...":["选择 ..."],"Loaded data cached":["数据缓存已加载"],"Loaded from cache":["从缓存中加载"],"Click to force-refresh":["点击强制刷新"],"Copy to clipboard":["复制到剪贴板"],"Not successful":["未成功"],"Sorry, your browser does not support copying. Use Ctrl / Cmd + C!":["抱歉,您的浏览器不支持复制操作。使用 Ctrl / Cmd + C!"],"Copied!":["复制成功!"],"Title":["标题"],"click to edit title":["点击编辑标题"],"You don't have the rights to alter this title.":["你没有权利改变这个标题。"],"Click to favorite/unfavorite":["点击 收藏/取消收藏"],"Dismiss":[""],"%s%s":[""],"Active Dashboard Filters":["活跃的仪表板过滤器"],"Checkout this dashboard: %s":["查看这个仪表板:%s"],"Save as":["另存为"],"Force Refresh":[""],"Force refresh the whole dashboard":["强制刷新整个仪表板"],"Set autorefresh":[""],"Set the auto-refresh interval for this session":[""],"Save the dashboard":[""],"Edit properties":[""],"Edit the dashboards's properties":[""],"Email":[""],"Email a link to this dashboard":[""],"Add Charts":[""],"Add some charts to this dashboard":[""],"Edit CSS":[""],"Change the style of the dashboard using CSS code":[""],"Load a template":["加载一个模板"],"Load a CSS template":["加载一个 CSS 模板"],"CSS":["CSS"],"Live CSS Editor":["现场 CSS 编辑器"],"You have unsaved changes.":["您有一些未保存的修改。"],"Unsaved changes":[""],"Don't refresh":["不要刷新"],"10 seconds":["10秒钟"],"30 seconds":["30秒钟"],"1 minute":["1分钟"],"5 minutes":["5分钟"],"30 minutes":[""],"1 hour":[""],"6 hours":[""],"12 hours":[""],"24 hours":[""],"Refresh Interval":["刷新间隔"],"Choose the refresh frequency for this dashboard":["选择此仪表板的刷新频率"],"This dashboard was saved successfully.":["该仪表板已成功保存。"],"Sorry, there was an error saving this dashboard: ":["抱歉,保存此信息中心时发生错误:"],"Error":["异常"],"You must pick a name for the new dashboard":["您必须为新的仪表板选择一个名称"],"Save Dashboard":["保存仪表板"],"Overwrite Dashboard [%s]":["覆盖仪表板 [%s]"],"Save as:":["另存为:"],"[dashboard name]":["[看板名称]"],"Sorry, there was an error fetching charts to this dashboard: ":[""],"Sorry, there was an error adding charts to this dashboard: ":[""],"Name":["名字"],"Viz":["Viz"],"Datasource":["数据源"],"Modified":["已修改"],"Add a new chart to the dashboard":[""],"Add Charts to Dashboard":[""],"Served from data cached %s . Click to force refresh.":[""],"Force refresh data":["强制刷新数据"],"Annotation layers are still loading.":[""],"One ore more annotation layers failed loading.":[""],"Move chart":["移动图表"],"Toggle chart description":["切换图表说明"],"Edit chart":["编辑图表"],"Export CSV":["导出 CSV"],"Explore chart":["探索图表"],"Remove chart from dashboard":["从仪表板中删除图表"],"A reference to the [Time] configuration, taking granularity into account":["参考 [时间] 配置,考虑粒度"],"Group by":["分组"],"One or many controls to group by":["一个或多个控件来分组"],"Metrics":["指标"],"One or many metrics to display":["一个或多个指标显示"],"Metric":["指标"],"For more information about objects are in context in the scope of this function, refer to the":[""]," source code of Superset's sandboxed parser":[""],"This functionality is disabled in your environment for security reasons.":[""],"Visualization Type":["图表类型"],"The type of visualization to display":["要显示的可视化类型"],"Percentage Metrics":[""],"Metrics for which percentage of total are to be displayed":[""],"Y Axis Bounds":["Y 轴界限"],"Bounds for the Y axis. When left empty, the bounds are dynamically defined based on the min/max of the data. Note that this feature will only expand the axis range. It won't narrow the data's extent.":["Y轴的边界。当空时,边界是根据数据的最小/最大值动态定义的。请注意,此功能只会扩展轴范围。它不会缩小数据范围。"],"Ordering":["订购"],"Fixed Color":[""],"Use this to define a static color for all circles":[""],"Legend Position":[""],"Choose the position of the legend":[""],"Fill Color":[""]," Set the opacity to 0 if you do not want to override the color specified in the GeoJSON":[""],"Stroke Color":[""],"Right Axis Metric":["右轴指标"],"Choose a metric for right axis":["为右轴选择一个指标"],"Stacked Style":["堆积的样式"],"Sort X Axis":[""],"Sort Y Axis":[""],"Linear Color Scheme":["线性颜色方案"],"Normalize Across":["标准化通过"],"Color will be rendered based on a ratio of the cell against the sum of across this criteria":["颜色将根据单元格与整个标准之和的比率来展示"],"Horizon Color Scale":["地平线颜色比例"],"Defines how the color are attributed.":["定义如何分配颜色。"],"Rendering":["渲染"],"image-rendering CSS attribute of the canvas object that defines how the browser scales up the image":["图像渲染画布对象的 CSS 属性,它定义了浏览器如何放大图像"],"XScale Interval":[""],"Number of steps to take between ticks when displaying the X scale":["显示 X 刻度时,在刻度之间表示的步骤数"],"YScale Interval":[""],"Number of steps to take between ticks when displaying the Y scale":["显示 Y 刻度时,在刻度之间表示的步骤数"],"Include Time":["包括时间"],"Whether to include the time granularity as defined in the time section":["是否包含时间段中定义的时间粒度"],"Auto Zoom":[""],"When checked, the map will zoom to your data after each query":[""],"Show percentage":[""],"Whether to include the percentage in the tooltip":[""],"Stacked Bars":["堆叠条形图"],"Show totals":["显示总计"],"Display total row/column":["显示总行 / 列"],"Show Markers":["显示标记"],"Show data points as circle markers on the lines":["将数据点显示为线条上的圆形标记"],"Bar Values":["条形栏的值"],"Show the value on top of the bar":["显示栏上的值"],"Sort Bars":["排序条形栏"],"Sort bars by x labels.":["按 x 标签排序。"],"Combine Metrics":["整合指标"],"Display metrics side by side within each column, as opposed to each column being displayed side by side for each metric.":["在每个列中并排显示指标,而不是每个指标并排显示每个列。"],"Extra Controls":["额外的控制"],"Whether to show extra controls or not. Extra controls include things like making mulitBar charts stacked or side by side.":[""],"Reduce X ticks":["减少 X 轴的刻度"],"Reduces the number of X axis ticks to be rendered. If true, the x axis wont overflow and labels may be missing. If false, a minimum width will be applied to columns and the width may overflow into an horizontal scroll.":["减少要渲染的 X 轴刻度的数量。如果为 true,则 X 轴不会溢出,标签可能会丢失。如果为 false,则最小宽度将应用于列,并且宽度可能会溢出,并以水平滚动条展示。"],"Include Series":["包括序列"],"Include series name as an axis":["包含序列名称作为一个轴"],"Color Metric":["颜色指标"],"A metric to use for color":["用于颜色的指标"],"Country Name":["国家的名字"],"The name of country that Superset should display":["Superset 应显示的国家名称"],"Country Field Type":["国家字段的类型"],"The country code standard that Superset should expect to find in the [country] column":["Superset 希望能够在 [国家] 栏中找到的 国家 / 地区 的标准代码"],"Frequency":[""],"The periodicity over which to pivot time. Users can provide\n \"Pandas\" offset alias.\n Click on the info bubble for more details on accepted \"freq\" expressions.":[""],"Dimension":[""],"Select a dimension":[""],"Columns":["列"],"One or many controls to pivot as columns":["一个或多个控件作为主列"],"Columns to display":["要显示的列"],"Longitude & Latitude":[""],"Point to your spatial columns":[""],"Start Longitude & Latitude":[""],"End Longitude & Latitude":[""],"Longitude":[""],"Select the longitude column":[""],"Latitude":[""],"Select the latitude column":[""],"GeoJson Column":[""],"Select the geojson column":[""],"Polygon Column":[""],"Select the polygon column. Each row should contain JSON.array(N) of [longitude, latitude] points":[""],"Point Radius Scale":[""],"Stroke Width":[""],"Origin":["起点"],"Defines the origin where time buckets start, accepts natural dates as in `now`, `sunday` or `1970-01-01`":["定义时间桶的起点,接受 `now`,`sunday` 或 `1970-01-01` 的自然日期"],"Bottom Margin":["底部边距"],"Bottom margin, in pixels, allowing for more room for axis labels":["底部边距,以像素为单位,为轴标签留出更多空间"],"X Tick Layout":[""],"The way the ticks are laid out on the X axis":[""],"Left Margin":["左边距"],"Left margin, in pixels, allowing for more room for axis labels":["左边距,以像素为单位,为轴标签留出更多空间"],"Time Granularity":["可视化的时间粒度"],"The time granularity for the visualization. Note that you can type and use simple natural language as in `10 seconds`, `1 day` or `56 weeks`":["可视化的时间粒度。请注意,您可以输入和使用简单的自然语言,如 `10 秒`,`1 天` 或 `56 周`"],"Domain":["域"],"The time unit used for the grouping of blocks":["用于块分组的时间单位"],"Subdomain":["子域"],"The time unit for each block. Should be a smaller unit than domain_granularity. Should be larger or equal to Time Grain":["每个块的时间单位。应该是比 domain_granularity 更小的单位。应该大于或等于 Time Grain"],"Link Length":["链接长度"],"Link length in the force layout":["在力布局中的链接长度"],"Charge":["充电"],"Charge in the force layout":["在力布局中充电"],"The time column for the visualization. Note that you can define arbitrary expression that return a DATETIME column in the table. Also note that the filter below is applied against this column or expression":[""],"Time Grain":["时间的粒度"],"The time granularity for the visualization. This applies a date transformation to alter your time column and defines a new time granularity. The options here are defined on a per database engine basis in the Superset source code.":["可视化的时间粒度。这将应用日期转换来更改时间列,并定义新的时间粒度。这里的选项是在 Superset 源代码中的每个数据库引擎基础上定义的。"],"Resample Rule":["重新取样规则"],"Pandas resample rule":["Pandas 重新采样的规则"],"Resample How":["如何重新采样"],"Pandas resample how":["Pandas 如何重新采样的规则"],"Resample Fill Method":["重新采样的填充方法"],"Pandas resample fill method":["Pandas 重新采样的填充方法"],"Since":["以来"],"7 days ago":["7 天前"],"Until":["直到"],"Max Bubble Size":["最大泡泡的尺寸"],"Whisker/outlier options":["(箱须图的)须 / 异常值选项"],"Determines how whiskers and outliers are calculated.":["确定如何计算(箱须图的)胡须和异常值。"],"Ratio":["比率"],"Target aspect ratio for treemap tiles.":["树形图中瓦片的目标高宽比。"],"Number format":["数字格式"],"Row limit":["行限制"],"Series limit":["序列限制"],"Limits the number of time series that get displayed. A sub query (or an extra phase where sub queries are not supported) is applied to limit the number of time series that get fetched and displayed. This feature is useful when grouping by high cardinality dimension(s).":[""],"Sort By":["Sort By(以什么排序)"],"Metric used to define the top series":["用于定义顶级序列的指标"],"Sort Descending":[""],"Whether to sort descending or ascending":[""],"Rolling":["滚动"],"Defines a rolling window function to apply, works along with the [Periods] text box":["定义要应用的滚动窗口函数,与 [Periods] 文本框一起使用"],"Multiplier":[""],"Factor to multiply the metric by":[""],"Periods":["期限"],"Defines the size of the rolling window function, relative to the time granularity selected":["定义滚动窗口函数的大小,相对于所选的时间粒度"],"Cell Size":[""],"The size of the square cell, in pixels":[""],"Cell Padding":[""],"The distance between cells, in pixels":[""],"Cell Radius":[""],"The pixel radius":[""],"Color Steps":[""],"The number color \"steps\"":[""],"Grid Size":[""],"Defines the grid size in pixels":[""],"Min Periods":["最小的期限"],"The minimum number of rolling periods required to show a value. For instance if you do a cumulative sum on 7 days you may want your \"Min Period\" to be 7, so that all data points shown are the total of 7 periods. This will hide the \"ramp up\" taking place over the first 7 periods":["显示值所需的滚动周期的最小数量。例如,如果您想累积 7 天的总额,您可能希望您的“最短期限”为 7,以便显示的所有数据点都是 7 个期间的总和。这将隐藏掉前 7 个阶段的“加速”效果"],"Series":["序列"],"Defines the grouping of entities. Each series is shown as a specific color on the chart and has a legend toggle":["定义实体的分组。每个系列在图表上显示为特定颜色,并有一个可切换的图例"],"Entity":["实体"],"This defines the element to be plotted on the chart":["这定义了要在图表上绘制的元素"],"X Axis":["X 轴"],"Metric assigned to the [X] axis":["分配给 [X] 轴的指标"],"Y Axis":["Y 轴"],"Metric assigned to the [Y] axis":["分配给 [Y] 轴的指标"],"Bubble Size":["泡泡大小"],"URL":["URL 地址"],"The URL, this control is templated, so you can integrate {{ width }} and/or {{ height }} in your URL string.":["URL 网址,此控件是模板化的,所以您可以在您的网址字符串中整合 {{ width }} 和 / 或 {{ height }}。"],"X Axis Label":["X 轴标签"],"Y Axis Label":["Y 轴标签"],"Custom WHERE clause":["自定义 WHERE 子句"],"The text in this box gets included in your query's WHERE clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["此框中的文本被包含在查询的 WHERE 子句中,作为与其他条件的 AND 关联。你可以包含复杂的表达式、圆括号和任何后端支持的其他东西。"],"Custom HAVING clause":["自定义 HAVING 子句"],"The text in this box gets included in your query's HAVING clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["此框中的文本被包含在查询的 HAVING 子句中,作为与其他条件的 AND 关联。你可以包含复杂的表达式、圆括号和任何后端支持的其他东西。"],"Comparison Period Lag":["比较期延迟"],"Based on granularity, number of time periods to compare against":["根据粒度,比较的时间段数量"],"Comparison suffix":["比较后缀"],"Suffix to apply after the percentage display":["在显示百分比后应用后缀"],"Table Timestamp Format":["表时间戳格式"],"Timestamp Format":["时间戳格式"],"Series Height":["序列高度"],"Pixel height of each series":["每个序列的像素高度"],"Page Length":["页面长度"],"Rows per page, 0 means no pagination":["每页行数,0 表示没有分页"],"X Axis Format":["X 轴格式"],"Y Axis Format":["Y 轴格式"],"When `Period Ratio` is set, the Y Axis Format is forced to `.1%`":[""],"Right Axis Format":["右轴格式"],"Date Time Format":[""],"Markup Type":["Markup 格式"],"Pick your favorite markup language":["选择您最爱的 Markup 语言"],"Rotation":["反转"],"Rotation to apply to words in the cloud":["旋转适用于云中的单词"],"Line Style":["线条样式"],"Line interpolation as defined by d3.js":["由 d3.js 定义的线插值"],"Label Type":["标签类型"],"What should be shown on the label?":["什么应该被显示在标签上?"],"Code":["代码"],"Put your code here":["把您的代码放在这里"],"Aggregation function":["聚合功能"],"Aggregate function to apply when pivoting and computing the total rows and columns":["在旋转和计算总的行和列时,应用聚合函数"],"Font Size From":["字型大小从"],"Font size for the smallest value in the list":["列表中最小值的字体大小"],"Font Size To":["字型大小到"],"Font size for the biggest value in the list":["列表中最大值的字体大小"],"Instant Filtering":["即时过滤"],"Extruded":[""],"Show Range Filter":[""],"Whether to display the time range interactive selector":["是否显示时间范围交互选择器"],"Date Filter":["日期过滤器"],"Whether to include a time filter":["是否包含时间过滤器"],"Show SQL Granularity Dropdown":[""],"Check to include SQL Granularity dropdown":[""],"Show SQL Time Column":[""],"Check to include Time Column dropdown":[""],"Show Druid Granularity Dropdown":[""],"Check to include Druid Granularity dropdown":[""],"Show Druid Time Origin":[""],"Check to include Time Origin dropdown":[""],"Data Table":["数据表"],"Whether to display the interactive data table":["是否显示交互式数据表"],"Search Box":["搜索框"],"Whether to include a client side search box":["是否包含客户端搜索框"],"Table Filter":["表格过滤器"],"Whether to apply filter when table cell is clicked":[""],"Align +/-":[""],"Whether to align the background chart for +/- values":[""],"Color +/-":[""],"Whether to color +/- values":[""],"Show Bubbles":[""],"Whether to display bubbles on top of countries":[""],"Legend":[""],"Whether to display the legend (toggles)":[""],"Show Values":[""],"Whether to display the numerical values within the cells":[""],"Show Metric Names":[""],"Whether to display the metric name as a title":[""],"X bounds":[""],"Whether to display the min and max values of the X axis":[""],"Y bounds":[""],"Whether to display the min and max values of the Y axis":[""],"Rich Tooltip":[""],"The rich tooltip shows a list of all series for that point in time":[""],"Y Log Scale":[""],"Use a log scale for the Y axis":[""],"X Log Scale":[""],"Use a log scale for the X axis":[""],"Log Scale":[""],"Use a log scale":[""],"Donut":[""],"Do you want a donut or a pie?":[""],"Put labels outside":[""],"Put the labels outside the pie?":[""],"Contribution":["贡献"],"Compute the contribution to the total":[""],"Period Ratio":[""],"[integer] Number of period to compare against, this is relative to the granularity selected":[""],"Period Ratio Type":[""],"`factor` means (new/previous), `growth` is ((new/previous) - 1), `value` is (new-previous)":[""],"Time Shift":[""],"Overlay one or more timeseries from a relative time period. Expects relative time deltas in natural language (example: 24 hours, 7 days, 56 weeks, 365 days)":[""],"Subheader":[""],"Description text that shows up below your Big Number":[""],"label":["标签"],"`count` is COUNT(*) if a group by is used. Numerical columns will be aggregated with the aggregator. Non-numerical columns will be used to label points. Leave empty to get a count of points in each cluster.":[""],"Map Style":[""],"Base layer map style":[""],"Clustering Radius":[""],"The radius (in pixels) the algorithm uses to define a cluster. Choose 0 to turn off clustering, but beware that a large number of points (>1000) will cause lag.":[""],"Point Size":[""],"Fixed point radius":[""],"Point Radius":[""],"The radius of individual points (ones that are not in a cluster). Either a numerical column or `Auto`, which scales the point based on the largest cluster":[""],"Point Radius Unit":[""],"The unit of measure for the specified point radius":[""],"Point Unit":[""],"Opacity":[""],"Opacity of all clusters, points, and labels. Between 0 and 1.":[""],"Viewport":[""],"Parameters related to the view and perspective on the map":[""],"Zoom":[""],"Zoom level of the map":[""],"Default latitude":[""],"Latitude of default viewport":[""],"Default longitude":[""],"Longitude of default viewport":[""],"Live render":[""],"Points and clusters will update as viewport is being changed":[""],"RGB Color":[""],"The color for points and clusters in RGB":[""],"Color":[""],"Pick a color":[""],"Ranges":[""],"Ranges to highlight with shading":[""],"Range labels":[""],"Labels for the ranges":[""],"Markers":[""],"List of values to mark with triangles":[""],"Marker labels":[""],"Labels for the markers":[""],"Marker lines":[""],"List of values to mark with lines":[""],"Marker line labels":[""],"Labels for the marker lines":[""],"Chart ID":[""],"The id of the active chart":[""],"Cache Timeout (seconds)":["缓存超时(秒)"],"The number of seconds before expiring the cache":[""],"Order by entity id":[""],"Important! Select this if the table is not already sorted by entity id, else there is no guarantee that all events for each entity are returned.":[""],"Minimum leaf node event count":[""],"Leaf nodes that represent fewer than this number of events will be initially hidden in the visualization":[""],"Color Scheme":[""],"The color scheme for rendering chart":[""],"Significance Level":[""],"Threshold alpha level for determining significance":[""],"p-value precision":[""],"Number of decimal places with which to display p-values":[""],"Lift percent precision":[""],"Number of decimal places with which to display lift values":[""],"Time Series Columns":[""],"Use Area Proportions":[""],"Check if the Rose Chart should use segment area instead of segment radius for proportioning":[""],"Options":[""],"Not Time Series":[""],"Ignore time":[""],"Time Series":[""],"Standard time series":[""],"Aggregate Mean":[""],"Mean of values over specified period":[""],"Aggregate Sum":[""],"Sum of values over specified period":[""],"Difference":[""],"Metric change in value from `since` to `until`":[""],"Percent Change":[""],"Metric percent change in value from `since` to `until`":[""],"Factor":[""],"Metric factor change from `since` to `until`":[""],"Advanced Analytics":[""],"Use the Advanced Analytics options below":[""],"Settings for time series":[""],"Equal Date Sizes":[""],"Check to force date partitions to have the same height":[""],"Partition Limit":[""],"The maximum number of subdivisions of each group; lower values are pruned first":[""],"Minimum Radius":[""],"Minimum radius size of the circle, in pixels. As the zoom level changes, this insures that the circle respects this minimum radius.":[""],"Maximum Radius":[""],"Maxium radius size of the circle, in pixels. As the zoom level changes, this insures that the circle respects this maximum radius.":[""],"Partition Threshold":[""],"Partitions whose height to parent height proportions are below this value are pruned":[""],"Lines column":[""],"The database columns that contains lines information":[""],"Lines encoding":[""],"The encoding format of the lines":[""],"Line width":[""],"The width of the lines":[""],"Line charts":[""],"Pick a set of line charts to layer on top of one another":[""],"Select charts":[""],"Error while fetching charts":[""],"Right Axis chart(s)":[""],"Choose one or more charts for right axis":[""],"Prefix metric name with slice name":[""],"Reverse Lat & Long":[""],"deck.gl charts":[""],"Pick a set of deck.gl charts to layer on top of one another":[""],"Javascript data interceptor":[""],"Define a javascript function that receives the data array used in the visualization and is expected to return a modified version of that array. This can be used to alter properties of the data, filter, or enrich the array.":[""],"Javascript data mutator":[""],"Define a function that receives intercepts the data objects and can mutate it":[""],"Javascript tooltip generator":[""],"Define a function that receives the input and outputs the content for a tooltip":[""],"Javascript onClick href":[""],"Define a function that returns a URL to navigate to when user clicks":[""],"Extra data for JS":[""],"List of extra columns made available in Javascript functions":[""],"Stroked":[""],"Whether to display the stroke":[""],"Filled":[""],"Whether to fill the objects":[""],"Normalized":[""],"Whether to normalize the histogram":[""],"is expected to be a number":[""],"is expected to be an integer":[""],"cannot be empty":[""],"Time":[""],"Time related form attributes":[""],"Datasource & Chart Type":["数据源 & 图表类型"],"This section exposes ways to include snippets of SQL in your query":[""],"Annotations and Layers":[""],"Query":["查询"],"This section contains options that allow for advanced analytical post processing of query results":[""],"Result Filters":[""],"The filters to apply after post-aggregation.Leave the value control empty to filter empty strings or nulls":[""],"Chart Options":["图表选项"],"Breakdowns":[""],"Defines how each series is broken down":[""],"Pie Chart":[""],"Y Axis 1":[""],"Y Axis 2":[""],"Left Axis chart(s)":[""],"Choose one or more charts for left axis":[""],"Left Axis Format":[""],"Time Series - Periodicity Pivot":[""],"Dual Axis Line Chart":[""],"Left Axis Metric":[""],"Choose a metric for left axis":[""],"Map":[""],"Deck.gl - Hexagons":[""],"Advanced":[""],"Height":["高度"],"Metric used to control height":[""],"Deck.gl - Grid":[""],"Deck.gl - Screen grid":[""],"Grid":[""],"Weight":[""],"Metric used as a weight for the grid's coloring":[""],"Deck.gl - GeoJson":[""],"GeoJson Settings":[""],"Polygon Settings":[""],"Arc":[""],"Point Color":[""],"Categorical Color":[""],"Pick a dimension from which categorical colors are defined":[""],"GROUP BY":[""],"Use this section if you want a query that aggregates":[""],"NOT GROUPED BY":[""],"Use this section if you want to query atomic rows":[""],"Time Series Table":[""],"Templated link, it's possible to include {{ metric }} or other values coming from the controls.":[""],"Pivot Options":[""],"Number Format":[""],"Time Format":[""],"Numeric Columns":[""],"Select the numeric columns to draw the histogram":[""],"No of Bins":[""],"Select number of bins for the histogram":[""],"Opacity of the bars. Between 0 and 1":[""],"Primary Metric":[""],"The primary metric is used to define the arc segment sizes":[""],"Secondary Metric":[""],"[optional] this secondary metric is used to define the color as a ratio against the primary metric. When omitted, the color is categorical and based on labels":[""],"Hierarchy":[""],"This defines the level of the hierarchy":[""],"Source / Target":[""],"Choose a source and a target":[""],"Chord Diagram":[""],"Choose a number format":[""],"Source":[""],"Choose a source":[""],"Target":[""],"Choose a target":[""],"ISO 3166-2 codes of region/province/department":[""],"It's ISO 3166-2 of your region/province/department in your table. (see documentation for list of ISO 3166-2)":[""],"Bubbles":[""],"Country Control":[""],"3 letter code of the country":[""],"Metric for color":[""],"Metric that defines the color of the country":[""],"Bubble size":[""],"Metric that defines the size of the bubble":[""],"Filter Box":[""],"Filter controls":[""],"The controls you want to filter on. Note that only columns checked as \"filterable\" will show up on this list.":[""],"Heatmap Options":[""],"Whether to apply a normal distribution based on rank on the color scale":[""],"Value bounds":[""],"Hard value bounds applied for color coding. Is only relevant and applied when the normalization is applied against the whole heatmap.":[""],"Value Format":[""],"Horizon":[""],"Points":[""],"Labelling":[""],"Visual Tweaks":[""],"Column containing longitude data":[""],"Column containing latitude data":[""],"Cluster label aggregator":[""],"Aggregate function applied to the list of points in each cluster to produce the cluster label.":[""],"Tooltip":["提示"],"Show a tooltip when hovering over points and clusters describing the label":["鼠标悬停在描述标签的点和簇上时,可以显示对应的提示"],"One or many controls to group by. If grouping, latitude and longitude columns must be present.":["使用一个或多个控件来分组。一旦分组,则纬度和经度列必须存在。"],"Event definition":["事件定义"],"Additional meta data":["额外的元数据"],"Column containing entity ids":["包含实体标识的列"],"e.g., a \"user id\" column":["包含事件名称的列"],"Column containing event names":["包含事件名称的列"],"Event count limit":["事件计数限制"],"The maximum number of events to return, equivalent to number of rows":["要返回的最大事件数量,相当于行数"],"Meta data":["元数据"],"Select any columns for meta data inspection":["选择任何列用来对元数据进行探查"],"Paired t-test":[""],"Time Series Options":[""],"No such column found. To filter on a metric, try the Custom SQL tab.":[""],"%s column(s) and metric(s)":[""],"%s column(s)":[""],"To filter on a metric, use Custom SQL tab.":[""],"%s operators(s)":[""],"type a value here":[""],"Filter value":["过滤值"],"choose WHERE or HAVING...":[""],"%s aggregates(s)":[""],"description":["描述"],"bolt":["螺栓"],"Changing this control takes effect instantly":[""],"Error...":["错误 ..."],"Width":["宽度"],"Export to .json":["导出到 .json"],"Export to .csv format":["导出为 .csv 格式"],"%s - untitled":["%s - 无标题"],"Edit chart properties":[""],"Limit reached":[""],"Please enter a chart name":[""],"Please select a dashboard":["请选择一个仪表板"],"Please enter a dashboard name":["请输入仪表板名称"],"Save A Chart":[""],"Overwrite chart %s":[""],"[chart name]":[""],"Do not add to a dashboard":["不要添加到仪表板"],"Add chart to existing dashboard":[""],"Add to new dashboard":["添加到新的仪表板"],"Save & go to dashboard":["保存并转到仪表板"],"choose a column or metric":[""],"Add Annotation Layer":[""],"`Min` value should be numeric or empty":["最小值应该是数字或空的"],"`Max` value should be numeric or empty":["最大值应该是数字或空的"],"Min":["最小值"],"Max":["最大值"],"Something went wrong while fetching the datasource list":["提取数据源列表时出错"],"Select a datasource":["选择一个数据源"],"Search / Filter":["搜索 / 过滤"],"Click to point to another datasource":["点击指向另一个数据源"],"Edit the datasource's configuration":["编辑数据源的配置"],"Show datasource configuration":[""],"Select metric":["选择指标"],"Select column":["选择列"],"Select operator":["选择运算符"],"Add Filter":["增加过滤条件"],"choose a column or aggregate function":[""],"Error while fetching data":["获取数据时出错"],"No results found":[""],"%s option(s)":[""],"Invalid lat/long configuration.":[""],"Longitude & Latitude columns":[""],"Delimited long & lat single column":[""],"Multiple formats accepted, look the geopy.points Python library for more details":[""],"Reverse lat/long ":[""],"Geohash":[""],"textarea":["文本区域"],"Edit":["编辑"],"in modal":["在模态中"],"Select a visualization type":["选择一个可视化类型"],"Favorites":["收藏"],"Created Content":["创建内容"],"Recent Activity":["近期活动"],"Security & Access":["安全 & 访问"],"No charts":[""],"No dashboards":["没有看板"],"Dashboards":["看板"],"Charts":[""],"No favorite charts yet, go click on stars!":[""],"No favorite dashboards yet, go click on stars!":["暂无收藏的看板,去点击星星吧!"],"Roles":["角色"],"Databases":["数据库"],"Datasources":["数据源"],"Profile picture provided by Gravatar":["资料图片由 Gravatar 提供"],"joined":["joined"],"id:":["id:"],"Sorry, there appears to be no data":["对不起,似乎没有数据"],"Data has no time steps":[""],"Select starting date":[""],"Select end date":[""],"Select [%s]":["选择 [%s]"],"Apply":[""],"You cannot use 45° tick layout along with the time range filter":[""],"Recently Viewed":[""],"Metric(s) {} must be aggregations.":[""],"No data was returned.":["没有返回任何数据。"],"Unsupported extraction function: ":[""],"List Druid Column":["Druid 列的列表"],"Show Druid Column":["显示 Druid 列"],"Add Druid Column":["添加 Druid 列"],"Edit Druid Column":["编辑 Druid 列"],"Column":["列"],"Type":["类型"],"Groupable":["可分组"],"Filterable":["可过滤"],"Count Distinct":["计数"],"Sum":["求和"],"Whether this column is exposed in the `Filters` section of the explore view.":["该列是否在浏览视图的`过滤器`部分显示。"],"List Druid Metric":["Druid 指标列表"],"Show Druid Metric":["显示 Druid 指标"],"Add Druid Metric":["添加 Druid 指标"],"Edit Druid Metric":["编辑 Druid 指标"],"Whether the access to this metric is restricted to certain roles. Only roles with the permission 'metric access on XXX (the name of this metric)' are allowed to access this metric":[""],"Verbose Name":["全称"],"JSON":["JSON"],"Druid Datasource":["Druid 数据源"],"Warning Message":["告警信息"],"List Druid Cluster":["Druid 集群列表"],"Show Druid Cluster":["显示 Druid 集群"],"Add Druid Cluster":["添加 Druid 集群"],"Edit Druid Cluster":["编辑 Druid 集群"],"Cluster":["集群"],"Coordinator Host":["协调器主机"],"Coordinator Port":["协调器端口"],"Coordinator Endpoint":["协调器端点"],"Broker Host":["代理主机"],"Broker Port":["代理端口"],"Broker Endpoint":["代理端点"],"Druid Clusters":["Druid 集群"],"Sources":["数据源"],"List Druid Datasource":["Druid 数据源列表"],"Show Druid Datasource":["显示 Druid 数据源"],"Add Druid Datasource":["添加 Druid 数据源"],"Edit Druid Datasource":["编辑 Druid 数据源"],"The list of charts associated with this table. By altering this datasource, you may change how these associated charts behave. Also note that charts need to point to a datasource, so this form will fail at saving if removing charts from a datasource. If you want to change the datasource for a chart, overwrite the chart from the 'explore view'":[""],"Timezone offset (in hours) for this datasource":["数据源的时差(单位:小时)"],"Time expression to use as a predicate when retrieving distinct values to populate the filter component. Only applies when `Enable Filter Select` is on. If you enter `7 days ago`, the distinct list of values in the filter will be populated based on the distinct value over the past week":["当检索不同的值以填充过滤器组件时,时间表达式用作条件。只适用于`启用过滤器选择`。如果您输入`7天前`,将根据过去一周的不同值来填充ilter中不同的值列表"],"Whether to populate the filter's dropdown in the explore view's filter section with a list of distinct values fetched from the backend on the fly":["是否在浏览视图的过滤器部分中填充过滤器的下拉列表,并提供从后端获取的不同值的列表"],"Redirects to this endpoint when clicking on the datasource from the datasource list":["在数据源列表中点击数据源将重定向到此端点"],"Associated Charts":[""],"Data Source":["数据源"],"Owner":["所有者"],"Is Hidden":["隐藏"],"Enable Filter Select":["启用过滤器选择"],"Default Endpoint":["默认端点"],"Time Offset":["时间偏移"],"Cache Timeout":["缓存时间"],"Druid Datasources":["Druid 数据源"],"Scan New Datasources":["扫描新的数据源"],"Refresh Druid Metadata":["刷新 Druid 元数据"],"Datetime column not provided as part table configuration and is required by this type of chart":["缺少时间字段"],"Empty query?":["查询为空?"],"Metric '{}' is not valid":["'{}'是无效的"],"Table [{}] doesn't seem to exist in the specified database, couldn't fetch column information":["指定的数据库中似乎不存在 [{}] 表,无法获取列信息"],"List Columns":["列列表"],"Show Column":["显示列"],"Add Column":["添加列"],"Edit Column":["编辑列"],"Whether to make this column available as a [Time Granularity] option, column has to be DATETIME or DATETIME-like":["是否将此列作为[时间粒度]选项, 列中的数据类型必须是DATETIME"],"The data type that was inferred by the database. It may be necessary to input a type manually for expression-defined columns in some cases. In most case users should not need to alter this.":["由数据库推断的数据类型。在某些情况下,可能需要为表达式定义的列手工输入一个类型。在大多数情况下,用户不需要修改这个数据类型。"],"Expression":["表达式"],"Is temporal":["表示时间"],"Datetime Format":["时间格式"],"Database Expression":["数据库表达式"],"List Metrics":["指标列"],"Show Metric":["显示指标"],"Add Metric":["添加指标"],"Edit Metric":["编辑指标"],"SQL Expression":["SQL表达式"],"D3 Format":["D3 格式"],"Is Restricted":["受限的"],"List Tables":["表列表"],"Show Table":["显示表"],"Add Table":["添加表"],"Edit Table":["编辑表"],"Name of the table that exists in the source database":["源数据库中存在的表的名称"],"Schema, as used only in some databases like Postgres, Redshift and DB2":["模式,只在一些数据库中使用,比如Postgres、Redshift和DB2"],"This fields acts a Superset view, meaning that Superset will run a query against this string as a subquery.":["这个字段执行Superset视图时,意味着Superset将以子查询的形式对字符串运行查询。"],"Predicate applied when fetching distinct value to populate the filter control component. Supports jinja template syntax. Applies only when `Enable Filter Select` is on.":["当获取不同的值来填充过滤器组件应用时。支持jinja的模板语法。只在`启用过滤器选择`时应用。"],"Redirects to this endpoint when clicking on the table from the table list":["点击表列表中的表时将重定向到此端点"],"Whether the table was generated by the 'Visualize' flow in SQL Lab":[""],"A set of parameters that become available in the query using Jinja templating syntax":[""],"Changed By":["修改人"],"Last Changed":["更新时间"],"Offset":["偏移"],"Fetch Values Predicate":["取值谓词"],"Main Datetime Column":["主日期列"],"SQL Lab View":[""],"Template parameters":[""],"Table [{}] could not be found, please double check your database connection, schema, and table name":["找不到 [{}] 表,请仔细检查您的数据库连接、Schema 和 表名"],"The table was created. As part of this two phase configuration process, you should now click the edit button by the new table to configure it.":["表被创建。作为这两个阶段配置过程的一部分,您现在应该单击新表的编辑按钮来配置它。"],"Refresh Metadata":[""],"Refresh column metadata":[""],"Metadata refreshed for the following table(s): %(tables)s":[""],"Tables":["数据表"],"Profile":["用户信息"],"Logout":["退出"],"Login":["登录"],"Record Count":["记录数"],"No records found":["没有找到任何记录"],"Import dashboards":[""],"No Access!":["不能访问!"],"You do not have permissions to access the datasource(s): %(name)s.":["您没有权限访问数据源(s): %(name)s。"],"Request Permissions":["请求权限"],"Test Connection":["测试连接"],"Annotation Layers":["注解层"],"Manage":["管理"],"Annotations":["注解"],"Datasource %(name)s already exists":["数据源%(name)s 已存在"],"json isn't valid":["无效 JSON"],"Export to YAML":[""],"Export to YAML?":[""],"Delete":["删除"],"Delete all Really?":["确定删除全部?"],"This endpoint requires the `all_datasource_access` permission":["这个端点需要“all_datasource_access”的权限"],"The datasource seems to have been deleted":["数据源已经被删除"],"The access requests seem to have been deleted":["访问请求已被删除"],"The user seems to have been deleted":["用户已经被删除"],"You don't have access to this datasource. (Gain access)":[""],"You don't have access to this datasource":["你不能访问这个数据源"],"This view requires the database %(name)s or `all_datasource_access` permission":["此视图需要数据库 %(name)s或“all_datasource_access”权限"],"This endpoint requires the datasource %(name)s, database or `all_datasource_access` permission":["此端点需要数据源 %(name)s、数据库或“all_datasource_access”权限"],"List Databases":["数据库列表"],"Show Database":["显示数据库"],"Add Database":["添加数据库"],"Edit Database":["编辑数据库"],"Expose this DB in SQL Lab":["在 SQL 工具箱中公开这个数据库"],"Allow users to run synchronous queries, this is the default and should work well for queries that can be executed within a web request scope (<~1 minute)":["允许用户运行同步查询,这是默认值,可以很好地处理在web请求范围内执行的查询(<~ 1 分钟)"],"Allow users to run queries, against an async backend. This assumes that you have a Celery worker setup as well as a results backend.":["允许用户对异步后端运行查询。 假设您有一个 Celery 工作者设置以及后端结果。"],"Allow CREATE TABLE AS option in SQL Lab":["在 SQL 编辑器中允许 CREATE TABLE AS 选项"],"Allow users to run non-SELECT statements (UPDATE, DELETE, CREATE, ...) in SQL Lab":["允许用户在 SQL 编辑器中运行非 SELECT 语句(UPDATE,DELETE,CREATE,...)"],"When allowing CREATE TABLE AS option in SQL Lab, this option forces the table to be created in this schema":["当在 SQL 编辑器中允许 CREATE TABLE AS 选项时,此选项可以此模式中强制创建表"],"If Presto, all the queries in SQL Lab are going to be executed as the currently logged on user who must have permission to run them.
If Hive and hive.server2.enable.doAs is enabled, will run the queries as service account, but impersonate the currently logged on user via hive.server2.proxy.user property.":[""],"Allow SQL Lab to fetch a list of all tables and all views across all database schemas. For large data warehouse with thousands of tables, this can be expensive and put strain on the system.":[""],"Expose in SQL Lab":["在 SQL 工具箱中公开"],"Allow CREATE TABLE AS":["允许 CREATE TABLE AS"],"Allow DML":["允许 DML"],"CTAS Schema":["CTAS 模式"],"Creator":["作者"],"SQLAlchemy URI":["SQLAlchemy URI"],"Extra":["扩展"],"Allow Run Sync":["允许同步运行"],"Allow Run Async":["允许异步运行"],"Impersonate the logged on user":[""],"Import Dashboards":["导入仪表盘"],"CSV to Database configuration":[""],"CSV file \"{0}\" uploaded to table \"{1}\" in database \"{2}\"":[""],"User":["用户"],"User Roles":["用户角色"],"Database URL":["数据库URL"],"Roles to grant":["角色授权"],"Created On":["创建日期"],"Access requests":["访问请求"],"Security":["安全"],"List Charts":[""],"Show Chart":[""],"Add Chart":[""],"Edit Chart":[""],"These parameters are generated dynamically when clicking the save or overwrite button in the explore view. This JSON object is exposed here for reference and for power users who may want to alter specific parameters.":["当单击“保存”或“覆盖”按钮时,这些参数会在视图中动态生成。高级用户可以在这里改变特定的参数。"],"Duration (in seconds) of the caching timeout for this chart.":[""],"Last Modified":["最后修改"],"Owners":["所有者"],"Parameters":["参数"],"Chart":[""],"List Dashboards":["仪表盘列表"],"Show Dashboard":["显示仪表盘"],"Add Dashboard":["添加仪表盘"],"Edit Dashboard":["编辑仪表盘"],"This json object describes the positioning of the widgets in the dashboard. It is dynamically generated when adjusting the widgets size and positions by using drag & drop in the dashboard view":[""],"The css for individual dashboards can be altered here, or in the dashboard view where changes are immediately visible":["可以在这里或者在看板视图修改单个看板的CSS样式"],"To get a readable URL for your dashboard":["为看板生成一个可读的 URL"],"This JSON object is generated dynamically when clicking the save or overwrite button in the dashboard view. It is exposed here for reference and for power users who may want to alter specific parameters.":["当在看板视图中单击“保存”或“覆盖”按钮时,这些参数会在视图中动态生成。高级用户可以在这里改变特定的参数。"],"Owners is a list of users who can alter the dashboard.":["“所有者”是一组可以修改看板的用户列表。"],"Dashboard":["看板"],"Slug":["Slug"],"Position JSON":["位置参数"],"JSON Metadata":["JSON 模板"],"Underlying Tables":["底层表"],"Export":["导出"],"Export dashboards?":["导出仪表盘?"],"Action":["操作"],"dttm":["DTTM"],"Action Log":["操作日志"],"Access was requested":["请求访问"],"%(user)s was granted the role %(role)s that gives access to the %(datasource)s":["授予 %(user)s %(role)s 角色来访问 %(datasource)s 数据库"],"Role %(r)s was extended to provide the access to the datasource %(ds)s":["扩展角色 %(r)s 以提供对 datasource %(ds)s 的访问"],"You have no permission to approve this request":["您没有权限批准此请求"],"You don't have the rights to ":[""],"alter this ":[""],"chart":[""],"create a ":[""],"dashboard":[""],"Malformed request. slice_id or table_name and db_name arguments are expected":["格式错误的请求。需要使用 slice_id 或 table_name 和 db_name 参数"],"Chart %(id)s not found":[""],"Table %(t)s wasn't found in the database %(d)s":["在数据库 %(d)s 中找不到表 %(t)s"],"Can't find User '%(name)s', please ask your admin to create one.":[""],"Can't find DruidCluster with cluster_name = '%(name)s'":["不能找到具有 cluster_name = '%(name)s' 的 Druid 集群"],"Query record was not created as expected.":["查询记录没有按预期创建。"],"Template Name":["模板名称"],"CSS Templates":["CSS 模板"],"SQL Editor":["SQL 编辑器"],"SQL Lab":["SQL 工具箱"],"Query Search":["查询搜索"],"Upload a CSV":[""],"Status":["状态"],"Start Time":["开始时间"],"End Time":["结束时间"],"Queries":["查询"],"List Saved Query":["保存的查询列表"],"Show Saved Query":["显示保存的查询"],"Add Saved Query":["添加保存的查询"],"Edit Saved Query":["编辑保存的查询"],"Pop Tab Link":["流行标签链接"],"Changed on":["改变为"],"Saved Queries":["已保存查询"]}}} \ No newline at end of file +{"domain":"superset","locale_data":{"superset":{"":{"domain":"superset","plural_forms":"nplurals=1; plural=0","lang":"zh"},"Time Column":["时间字段"],"second":["秒"],"minute":["分"],"hour":["小时"],"day":["天"],"week":["周"],"month":["月"],"quarter":["季度"],"year":["年"],"week_ending_saturday":["周日为一周开始"],"week_start_sunday":["周日为一周结束"],"week_start_monday":["周一为一周开始"],"5 minute":["5 分钟"],"half hour":["半小时"],"10 minute":["10 分钟"],"Table Name":["表名"],"Name of table to be created from csv data.":[""],"CSV File":[""],"Select a CSV file to be uploaded to a database.":[""],"CSV Files Only!":[""],"Database":["数据库"],"Delimiter":[""],"Delimiter used by CSV file (for whitespace use \\s+).":[""],"Table Exists":[""],"If table exists do one of the following: Fail (do nothing), Replace (drop and recreate table) or Append (insert data).":[""],"Fail":[""],"Replace":[""],"Append":[""],"Schema":["模式"],"Specify a schema (if database flavour supports this).":[""],"Header Row":[""],"Row containing the headers to use as column names (0 is first line of data). Leave empty if there is no header row.":[""],"Index Column":[""],"Column to use as the row labels of the dataframe. Leave empty if no index column.":[""],"Mangle Duplicate Columns":[""],"Specify duplicate columns as \"X.0, X.1\".":[""],"Skip Initial Space":[""],"Skip spaces after delimiter.":[""],"Skip Rows":[""],"Number of rows to skip at start of file.":[""],"Rows to Read":[""],"Number of rows of file to read.":[""],"Skip Blank Lines":[""],"Skip blank lines rather than interpreting them as NaN values.":[""],"Parse Dates":[""],"A comma separated list of columns that should be parsed as dates.":[""],"Infer Datetime Format":[""],"Use Pandas to interpret the datetime format automatically.":[""],"Decimal Character":[""],"Character to interpret as decimal point.":[""],"Dataframe Index":[""],"Write dataframe index as a column.":[""],"Column Label(s)":[""],"Column label for index column(s). If None is given and Dataframe Index is True, Index Names are used.":[""],"[Superset] Access to the datasource %(name)s was granted":["[Superset] 允许访问数据源 %(name)s"],"Viz is missing a datasource":["Viz 缺少一个数据源"],"From date cannot be larger than to date":["起始时间不可以大于当前时间"],"Table View":["表视图"],"Pick a granularity in the Time section or uncheck 'Include Time'":["在“时间”部分选择一个粒度,或取消选中“包括时间”"],"Choose either fields to [Group By] and [Metrics] or [Columns], not both":["为[分组]和[指标]或[列]选择任何的字段,或者两个都不选"],"Time Table View":[""],"Pick at least one metric":["选择至少一个指标"],"When using 'Group By' you are limited to use a single metric":[""],"Pivot Table":["透视表"],"Please choose at least one 'Group by' field ":[""],"Please choose at least one metric":["请至少选择一个指标"],"Group By' and 'Columns' can't overlap":[""],"Markup":["标记"],"Separator":["分隔符"],"Word Cloud":["词汇云"],"Treemap":["树状图"],"Calendar Heatmap":["时间热力图"],"Box Plot":["箱线图"],"Bubble Chart":["气泡图"],"Pick a metric for x, y and size":["为 x 轴,y 轴和大小选择一个指标"],"Bullet Chart":["子弹图"],"Pick a metric to display":["选择一个指标来显示"],"Big Number with Trendline":["数字和趋势线"],"Pick a metric!":["选择一个指标!"],"Big Number":["数字"],"Time Series - Line Chart":["时间序列-折线图"],"Pick a time granularity for your time series":["为您的时间序列选择一个时间粒度"],"`Since` and `Until` time bounds should be specified when using the `Time Shift` feature.":[""],"Time Series - Multiple Line Charts":[""],"Time Series - Dual Axis Line Chart":["时间序列-双轴线图"],"Pick a metric for left axis!":["为左轴选择一个指标!"],"Pick a metric for right axis!":["为右轴选择一个指标!"],"Please choose different metrics on left and right axis":["请在左右轴上选择不同的指标"],"Time Series - Bar Chart":["时间序列 - 柱状图"],"Time Series - Period Pivot":[""],"Time Series - Percent Change":["时间序列 - 百分比变化"],"Time Series - Stacked":["时间序列 - 堆积图"],"Distribution - NVD3 - Pie Chart":["分布 - NVD3 - 饼图"],"Histogram":["直方图"],"Must have at least one numeric column specified":[""],"Distribution - Bar Chart":["分布 - 柱状图"],"Can't have overlap between Series and Breakdowns":["Series 和 Breakdown 之间不能有重叠"],"Pick at least one field for [Series]":["为 [序列] 选择至少一个字段"],"Sunburst":["环状层次图"],"Sankey":["蛇形图"],"Pick exactly 2 columns as [Source / Target]":["为 [来源 / 目标] 选择两个列"],"There's a loop in your Sankey, please provide a tree. Here's a faulty link: {}":["桑基图里面有一个循环,请提供一棵树。这是一个错误的链接:{}"],"Directed Force Layout":["有向图"],"Pick exactly 2 columns to 'Group By'":["为 “Group By” 选择两个列"],"Country Map":["国家地图"],"World Map":["世界地图"],"Filters":["过滤"],"Pick at least one filter field":["选择至少一个过滤字段"],"iFrame":["内嵌框架"],"Parallel Coordinates":["平行坐标"],"Heatmap":["热力图"],"Horizon Charts":["水平图"],"Mapbox":["箱图"],"Must have a [Group By] column to have 'count' as the [Label]":["[Group By] 列必须要有 ‘count’字段作为 [标签]"],"Choice of [Label] must be present in [Group By]":["[标签] 的选择项必须出现在 [Group By]"],"Choice of [Point Radius] must be present in [Group By]":["[点半径] 的选择项必须出现在 [Group By]"],"[Longitude] and [Latitude] columns must be present in [Group By]":["[经度] 和 [纬度] 的选择项必须出现在 [Group By]"],"Deck.gl - Multiple Layers":[""],"Bad spatial key":[""],"Deck.gl - Scatter plot":[""],"Deck.gl - Screen Grid":[""],"Deck.gl - 3D Grid":[""],"Deck.gl - Paths":[""],"Deck.gl - Polygon":[""],"Deck.gl - 3D HEX":[""],"Deck.gl - GeoJSON":[""],"Deck.gl - Arc":[""],"Event flow":["事件流"],"Time Series - Paired t-test":["时间序列 - 配对t检验"],"Time Series - Nightingale Rose Chart":[""],"Partition Diagram":[""],"Your session timed out, please refresh your page and try again.":["您的会话已超时,请刷新页面后,再重试。"],"Your query was saved":["您的查询已保存"],"Your query could not be saved":["您的查询无法保存"],"Failed at retrieving results from the results backend":["无法从结果后端检索到"],"Unknown error":[""],"Query was stopped.":["查询被终止。"],"Failed at stopping query.":["无法终止查询。"],"Error occurred while fetching table metadata":["获取表格元数据时发生错误"],"shared query":["已分享的查询"],"The query couldn't be loaded":["这个查询无法被加载"],"An error occurred while creating the data source":["创建数据源时发生错误"],"Pick a chart type!":["选择一个图表类型!"],"To use this chart type you need at least one column flagged as a date":["要使用此图表类型,您至少需要一个标记为日期格式的列"],"To use this chart type you need at least one dimension":["要使用此图表类型,您至少需要一个维度"],"To use this chart type you need at least one aggregation function":["要使用这种图表类型,您至少需要一个聚合函数"],"Untitled Query":["未命名的查询"],"Copy of %s":["%s 的副本"],"share query":["分享查询"],"copy URL to clipboard":["拷贝 URL 到剪切板"],"Raw SQL":["行 SQL"],"Source SQL":["源 SQL"],"SQL":["SQL"],"No query history yet...":["暂无历史查询..."],"It seems you don't have access to any database":["貌似您没有访问到任何数据库"],"Search Results":["搜索结果"],"[From]-":["[From]-"],"[To]-":["[To]-"],"[Query Status]":["[查询状态]"],"Search":["搜索"],"Open in SQL Editor":["在 SQL 编辑器中打开"],"view results":["展示结果"],"Data preview":["数据预览"],"Visualize the data out of this query":["从这个查询中可视化数据"],"Overwrite text in editor with a query on this table":["使用该表上的查询覆盖编辑器中的文本"],"Run query in a new tab":["在新标签中运行查询"],"Remove query from log":["从日志中删除查询"],".CSV":[".CSV"],"Visualize":["可视化"],"Table":["表"],"was created":["已创建"],"Query in a new tab":["在新标签中查询"],"Fetch data preview":["获取数据预览"],"Track Job":["跟踪任务"],"Loading...":["加载中..."],"Run Selected Query":["运行选定的查询"],"Run Query":["运行查询"],"Run query synchronously":[""],"Run query asynchronously":["异步运行查询"],"Stop":["停止"],"Undefined":["未命名"],"Label":["标签"],"Label for your query":["为您的查询设置标签"],"Description":["描述"],"Write a description for your query":["为您的查询写一段描述"],"Save":["保存"],"Cancel":["取消"],"Save Query":["保存查询"],"Share Query":[""],"Run a query to display results here":["运行一个查询,以在此显示结果"],"Preview for %s":["预览 %s"],"Results":["结果"],"Query History":["历史查询"],"Create table as with query results":["与查询结果一样创建表"],"new table name":["新表名称"],"Error while fetching table list":["获取表列表时出错"],"Error while fetching schema list":["获取模式列表时出错"],"Type to search ...":["键入搜索 ..."],"Select table ":[""],"Error while fetching database list":["获取数据库列表时出错"],"Database:":["数据库:"],"Select a database":["选择一个数据库"],"Select a schema (%s)":["选择一个模式(%s)"],"Schema:":["模式:"],"Add a table (%s)":["增加一张表(%s)"],"Reset State":["状态重置"],"Enter a new title for the tab":["输入标签的新标题"],"Untitled Query %s":["未命名的查询 %s"],"close tab":["关闭标签"],"rename tab":["重命名标签"],"expand tool bar":["展开工具栏"],"hide tool bar":["隐藏工具栏"],"Copy partition query to clipboard":["将分区查询复制到剪贴板"],"latest partition:":["最新分区:"],"Keys for table":["表的键"],"View keys & indexes (%s)":["查看键和索引(%s)"],"Sort columns alphabetically":["对列按字母顺序进行排列"],"Original table column order":["原始表列顺序"],"Copy SELECT statement to clipboard":["将 SELECT 语句复制到剪贴板"],"Remove table preview":["删除表格预览"],"Template Parameters":[""],"Edit template parameters":[""],"Invalid JSON":[""],"%s is not right as a column name, please alias it (as in SELECT count(*) ":[""],"AS my_alias":["作为 my_alias"],"using only alphanumeric characters and underscores":["只使用字母、数字、字符和下划线"],"Creating a data source and popping a new tab":["创建数据源,并弹出一个新的标签页"],"No results available for this query":["没有可用于此查询的结果"],"Chart Type":["图表类型"],"[Chart Type]":["[图表类型]"],"Datasource Name":["数据库名称"],"datasource name":["数据库名称"],"Create a new chart":[""],"Choose a datasource":[""],"If the datasource your are looking for is not available in the list, follow the instructions on the how to add it on the ":[""],"Superset tutorial":[""],"Choose a visualization type":[""],"Create new chart":[""],"Unexpected error: ":[""],"Unexpected error.":[""],"Updating chart was stopped":["更新图表已停止"],"An error occurred while rendering the visualization: %s":["渲染可视化时发生错误:%s"],"visualization queries are set to timeout at ${action.timeout} seconds. ":[""],"Perhaps your data has grown, your database is under unusual load, or you are simply querying a data source that is too large to be processed within the timeout range. If that is the case, we recommend that you summarize your data further.":[""],"Network error.":["网络异常。"],"Click to see difference":[""],"Altered":[""],"Chart changes":[""],"Select ...":["选择 ..."],"Loaded data cached":["数据缓存已加载"],"Loaded from cache":["从缓存中加载"],"Click to force-refresh":["点击强制刷新"],"Copy to clipboard":["复制到剪贴板"],"Not successful":["未成功"],"Sorry, your browser does not support copying. Use Ctrl / Cmd + C!":["抱歉,您的浏览器不支持复制操作。使用 Ctrl / Cmd + C!"],"Copied!":["复制成功!"],"Title":["标题"],"click to edit title":["点击编辑标题"],"You don't have the rights to alter this title.":["你没有权利改变这个标题。"],"Click to favorite/unfavorite":["点击 收藏/取消收藏"],"Dismiss":[""],"%s%s":[""],"Active Dashboard Filters":["活跃的仪表板过滤器"],"Checkout this dashboard: %s":["查看这个仪表板:%s"],"Save as":["另存为"],"Force Refresh":[""],"Force refresh the whole dashboard":["强制刷新整个仪表板"],"Set autorefresh":[""],"Set the auto-refresh interval for this session":[""],"Save the dashboard":[""],"Edit properties":[""],"Edit the dashboards's properties":[""],"Email":[""],"Email a link to this dashboard":[""],"Add Charts":[""],"Add some charts to this dashboard":[""],"Edit CSS":[""],"Change the style of the dashboard using CSS code":[""],"Load a template":["加载一个模板"],"Load a CSS template":["加载一个 CSS 模板"],"CSS":["CSS"],"Live CSS Editor":["现场 CSS 编辑器"],"You have unsaved changes.":["您有一些未保存的修改。"],"Unsaved changes":[""],"Don't refresh":["不要刷新"],"10 seconds":["10秒钟"],"30 seconds":["30秒钟"],"1 minute":["1分钟"],"5 minutes":["5分钟"],"30 minutes":[""],"1 hour":[""],"6 hours":[""],"12 hours":[""],"24 hours":[""],"Refresh Interval":["刷新间隔"],"Choose the refresh frequency for this dashboard":["选择此仪表板的刷新频率"],"This dashboard was saved successfully.":["该仪表板已成功保存。"],"Sorry, there was an error saving this dashboard: ":["抱歉,保存此信息中心时发生错误:"],"Error":["异常"],"You must pick a name for the new dashboard":["您必须为新的仪表板选择一个名称"],"Save Dashboard":["保存仪表板"],"Overwrite Dashboard [%s]":["覆盖仪表板 [%s]"],"Save as:":["另存为:"],"[dashboard name]":["[看板名称]"],"Sorry, there was an error fetching charts to this dashboard: ":[""],"Sorry, there was an error adding charts to this dashboard: ":[""],"Name":["名字"],"Viz":["Viz"],"Datasource":["数据源"],"Modified":["已修改"],"Add a new chart to the dashboard":[""],"Add Charts to Dashboard":[""],"Served from data cached %s . Click to force refresh.":[""],"Force refresh data":["强制刷新数据"],"Annotation layers are still loading.":[""],"One ore more annotation layers failed loading.":[""],"Move chart":["移动图表"],"Toggle chart description":["切换图表说明"],"Edit chart":["编辑图表"],"Export CSV":["导出 CSV"],"Explore chart":["探索图表"],"Remove chart from dashboard":["从仪表板中删除图表"],"A reference to the [Time] configuration, taking granularity into account":["参考 [时间] 配置,考虑粒度"],"Group by":["分组"],"One or many controls to group by":["一个或多个控件来分组"],"Metrics":["指标"],"One or many metrics to display":["一个或多个指标显示"],"Metric":["指标"],"For more information about objects are in context in the scope of this function, refer to the":[""]," source code of Superset's sandboxed parser":[""],"This functionality is disabled in your environment for security reasons.":[""],"Visualization Type":["图表类型"],"The type of visualization to display":["要显示的可视化类型"],"Percentage Metrics":[""],"Metrics for which percentage of total are to be displayed":[""],"Y Axis Bounds":["Y 轴界限"],"Bounds for the Y axis. When left empty, the bounds are dynamically defined based on the min/max of the data. Note that this feature will only expand the axis range. It won't narrow the data's extent.":["Y轴的边界。当空时,边界是根据数据的最小/最大值动态定义的。请注意,此功能只会扩展轴范围。它不会缩小数据范围。"],"Ordering":["订购"],"Fixed Color":[""],"Use this to define a static color for all circles":[""],"Legend Position":[""],"Choose the position of the legend":[""],"Fill Color":[""]," Set the opacity to 0 if you do not want to override the color specified in the GeoJSON":[""],"Stroke Color":[""],"Right Axis Metric":["右轴指标"],"Choose a metric for right axis":["为右轴选择一个指标"],"Stacked Style":["堆积的样式"],"Sort X Axis":[""],"Sort Y Axis":[""],"Linear Color Scheme":["线性颜色方案"],"Normalize Across":["标准化通过"],"Color will be rendered based on a ratio of the cell against the sum of across this criteria":["颜色将根据单元格与整个标准之和的比率来展示"],"Horizon Color Scale":["地平线颜色比例"],"Defines how the color are attributed.":["定义如何分配颜色。"],"Rendering":["渲染"],"image-rendering CSS attribute of the canvas object that defines how the browser scales up the image":["图像渲染画布对象的 CSS 属性,它定义了浏览器如何放大图像"],"XScale Interval":[""],"Number of steps to take between ticks when displaying the X scale":["显示 X 刻度时,在刻度之间表示的步骤数"],"YScale Interval":[""],"Number of steps to take between ticks when displaying the Y scale":["显示 Y 刻度时,在刻度之间表示的步骤数"],"Include Time":["包括时间"],"Whether to include the time granularity as defined in the time section":["是否包含时间段中定义的时间粒度"],"Auto Zoom":[""],"When checked, the map will zoom to your data after each query":[""],"Show percentage":[""],"Whether to include the percentage in the tooltip":[""],"Stacked Bars":["堆叠条形图"],"Show totals":["显示总计"],"Display total row/column":["显示总行 / 列"],"Show Markers":["显示标记"],"Show data points as circle markers on the lines":["将数据点显示为线条上的圆形标记"],"Bar Values":["条形栏的值"],"Show the value on top of the bar":["显示栏上的值"],"Sort Bars":["排序条形栏"],"Sort bars by x labels.":["按 x 标签排序。"],"Combine Metrics":["整合指标"],"Display metrics side by side within each column, as opposed to each column being displayed side by side for each metric.":["在每个列中并排显示指标,而不是每个指标并排显示每个列。"],"Extra Controls":["额外的控制"],"Whether to show extra controls or not. Extra controls include things like making mulitBar charts stacked or side by side.":[""],"Reduce X ticks":["减少 X 轴的刻度"],"Reduces the number of X axis ticks to be rendered. If true, the x axis wont overflow and labels may be missing. If false, a minimum width will be applied to columns and the width may overflow into an horizontal scroll.":["减少要渲染的 X 轴刻度的数量。如果为 true,则 X 轴不会溢出,标签可能会丢失。如果为 false,则最小宽度将应用于列,并且宽度可能会溢出,并以水平滚动条展示。"],"Include Series":["包括序列"],"Include series name as an axis":["包含序列名称作为一个轴"],"Color Metric":["颜色指标"],"A metric to use for color":["用于颜色的指标"],"Country Name":["国家的名字"],"The name of country that Superset should display":["Superset 应显示的国家名称"],"Country Field Type":["国家字段的类型"],"The country code standard that Superset should expect to find in the [country] column":["Superset 希望能够在 [国家] 栏中找到的 国家 / 地区 的标准代码"],"Frequency":[""],"The periodicity over which to pivot time. Users can provide\n \"Pandas\" offset alias.\n Click on the info bubble for more details on accepted \"freq\" expressions.":[""],"Dimension":[""],"Select a dimension":[""],"Columns":["列"],"One or many controls to pivot as columns":["一个或多个控件作为主列"],"Columns to display":["要显示的列"],"Longitude & Latitude":[""],"Point to your spatial columns":[""],"Start Longitude & Latitude":[""],"End Longitude & Latitude":[""],"Longitude":[""],"Select the longitude column":[""],"Latitude":[""],"Select the latitude column":[""],"GeoJson Column":[""],"Select the geojson column":[""],"Polygon Column":[""],"Select the polygon column. Each row should contain JSON.array(N) of [longitude, latitude] points":[""],"Point Radius Scale":[""],"Stroke Width":[""],"Origin":["起点"],"Defines the origin where time buckets start, accepts natural dates as in `now`, `sunday` or `1970-01-01`":["定义时间桶的起点,接受 `now`,`sunday` 或 `1970-01-01` 的自然日期"],"Bottom Margin":["底部边距"],"Bottom margin, in pixels, allowing for more room for axis labels":["底部边距,以像素为单位,为轴标签留出更多空间"],"X Tick Layout":[""],"The way the ticks are laid out on the X axis":[""],"Left Margin":["左边距"],"Left margin, in pixels, allowing for more room for axis labels":["左边距,以像素为单位,为轴标签留出更多空间"],"Time Granularity":["可视化的时间粒度"],"The time granularity for the visualization. Note that you can type and use simple natural language as in `10 seconds`, `1 day` or `56 weeks`":["可视化的时间粒度。请注意,您可以输入和使用简单的自然语言,如 `10 秒`,`1 天` 或 `56 周`"],"Domain":["域"],"The time unit used for the grouping of blocks":["用于块分组的时间单位"],"Subdomain":["子域"],"The time unit for each block. Should be a smaller unit than domain_granularity. Should be larger or equal to Time Grain":["每个块的时间单位。应该是比 domain_granularity 更小的单位。应该大于或等于 Time Grain"],"Link Length":["链接长度"],"Link length in the force layout":["在力布局中的链接长度"],"Charge":["充电"],"Charge in the force layout":["在力布局中充电"],"The time column for the visualization. Note that you can define arbitrary expression that return a DATETIME column in the table. Also note that the filter below is applied against this column or expression":[""],"Time Grain":["时间的粒度"],"The time granularity for the visualization. This applies a date transformation to alter your time column and defines a new time granularity. The options here are defined on a per database engine basis in the Superset source code.":["可视化的时间粒度。这将应用日期转换来更改时间列,并定义新的时间粒度。这里的选项是在 Superset 源代码中的每个数据库引擎基础上定义的。"],"Resample Rule":["重新取样规则"],"Pandas resample rule":["Pandas 重新采样的规则"],"Resample How":["如何重新采样"],"Pandas resample how":["Pandas 如何重新采样的规则"],"Resample Fill Method":["重新采样的填充方法"],"Pandas resample fill method":["Pandas 重新采样的填充方法"],"Since":["以来"],"7 days ago":["7 天前"],"Until":["直到"],"Max Bubble Size":["最大泡泡的尺寸"],"Whisker/outlier options":["(箱须图的)须 / 异常值选项"],"Determines how whiskers and outliers are calculated.":["确定如何计算(箱须图的)胡须和异常值。"],"Ratio":["比率"],"Target aspect ratio for treemap tiles.":["树形图中瓦片的目标高宽比。"],"Number format":["数字格式"],"Row limit":["行限制"],"Series limit":["序列限制"],"Limits the number of time series that get displayed. A sub query (or an extra phase where sub queries are not supported) is applied to limit the number of time series that get fetched and displayed. This feature is useful when grouping by high cardinality dimension(s).":[""],"Sort By":["Sort By(以什么排序)"],"Metric used to define the top series":["用于定义顶级序列的指标"],"Sort Descending":[""],"Whether to sort descending or ascending":[""],"Rolling":["滚动"],"Defines a rolling window function to apply, works along with the [Periods] text box":["定义要应用的滚动窗口函数,与 [Periods] 文本框一起使用"],"Multiplier":[""],"Factor to multiply the metric by":[""],"Periods":["期限"],"Defines the size of the rolling window function, relative to the time granularity selected":["定义滚动窗口函数的大小,相对于所选的时间粒度"],"Cell Size":[""],"The size of the square cell, in pixels":[""],"Cell Padding":[""],"The distance between cells, in pixels":[""],"Cell Radius":[""],"The pixel radius":[""],"Color Steps":[""],"The number color \"steps\"":[""],"Grid Size":[""],"Defines the grid size in pixels":[""],"Min Periods":["最小的期限"],"The minimum number of rolling periods required to show a value. For instance if you do a cumulative sum on 7 days you may want your \"Min Period\" to be 7, so that all data points shown are the total of 7 periods. This will hide the \"ramp up\" taking place over the first 7 periods":["显示值所需的滚动周期的最小数量。例如,如果您想累积 7 天的总额,您可能希望您的“最短期限”为 7,以便显示的所有数据点都是 7 个期间的总和。这将隐藏掉前 7 个阶段的“加速”效果"],"Series":["序列"],"Defines the grouping of entities. Each series is shown as a specific color on the chart and has a legend toggle":["定义实体的分组。每个系列在图表上显示为特定颜色,并有一个可切换的图例"],"Entity":["实体"],"This defines the element to be plotted on the chart":["这定义了要在图表上绘制的元素"],"X Axis":["X 轴"],"Metric assigned to the [X] axis":["分配给 [X] 轴的指标"],"Y Axis":["Y 轴"],"Metric assigned to the [Y] axis":["分配给 [Y] 轴的指标"],"Bubble Size":["泡泡大小"],"URL":["URL 地址"],"The URL, this control is templated, so you can integrate {{ width }} and/or {{ height }} in your URL string.":["URL 网址,此控件是模板化的,所以您可以在您的网址字符串中整合 {{ width }} 和 / 或 {{ height }}。"],"X Axis Label":["X 轴标签"],"Y Axis Label":["Y 轴标签"],"Custom WHERE clause":["自定义 WHERE 子句"],"The text in this box gets included in your query's WHERE clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["此框中的文本被包含在查询的 WHERE 子句中,作为与其他条件的 AND 关联。你可以包含复杂的表达式、圆括号和任何后端支持的其他东西。"],"Custom HAVING clause":["自定义 HAVING 子句"],"The text in this box gets included in your query's HAVING clause, as an AND to other criteria. You can include complex expression, parenthesis and anything else supported by the backend it is directed towards.":["此框中的文本被包含在查询的 HAVING 子句中,作为与其他条件的 AND 关联。你可以包含复杂的表达式、圆括号和任何后端支持的其他东西。"],"Comparison Period Lag":["比较期延迟"],"Based on granularity, number of time periods to compare against":["根据粒度,比较的时间段数量"],"Comparison suffix":["比较后缀"],"Suffix to apply after the percentage display":["在显示百分比后应用后缀"],"Table Timestamp Format":["表时间戳格式"],"Timestamp Format":["时间戳格式"],"Series Height":["序列高度"],"Pixel height of each series":["每个序列的像素高度"],"Page Length":["页面长度"],"Rows per page, 0 means no pagination":["每页行数,0 表示没有分页"],"X Axis Format":["X 轴格式"],"Y Axis Format":["Y 轴格式"],"When `Period Ratio` is set, the Y Axis Format is forced to `.1%`":[""],"Right Axis Format":["右轴格式"],"Date Time Format":[""],"Markup Type":["Markup 格式"],"Pick your favorite markup language":["选择您最爱的 Markup 语言"],"Rotation":["反转"],"Rotation to apply to words in the cloud":["旋转适用于云中的单词"],"Line Style":["线条样式"],"Line interpolation as defined by d3.js":["由 d3.js 定义的线插值"],"Label Type":["标签类型"],"What should be shown on the label?":["什么应该被显示在标签上?"],"Code":["代码"],"Put your code here":["把您的代码放在这里"],"Aggregation function":["聚合功能"],"Aggregate function to apply when pivoting and computing the total rows and columns":["在旋转和计算总的行和列时,应用聚合函数"],"Font Size From":["字型大小从"],"Font size for the smallest value in the list":["列表中最小值的字体大小"],"Font Size To":["字型大小到"],"Font size for the biggest value in the list":["列表中最大值的字体大小"],"Instant Filtering":["即时过滤"],"Extruded":[""],"Show Range Filter":[""],"Whether to display the time range interactive selector":["是否显示时间范围交互选择器"],"Date Filter":["日期过滤器"],"Whether to include a time filter":["是否包含时间过滤器"],"Show SQL Granularity Dropdown":[""],"Check to include SQL Granularity dropdown":[""],"Show SQL Time Column":[""],"Check to include Time Column dropdown":[""],"Show Druid Granularity Dropdown":[""],"Check to include Druid Granularity dropdown":[""],"Show Druid Time Origin":[""],"Check to include Time Origin dropdown":[""],"Data Table":["数据表"],"Whether to display the interactive data table":["是否显示交互式数据表"],"Search Box":["搜索框"],"Whether to include a client side search box":["是否包含客户端搜索框"],"Table Filter":["表格过滤器"],"Whether to apply filter when table cell is clicked":[""],"Align +/-":[""],"Whether to align the background chart for +/- values":[""],"Color +/-":[""],"Whether to color +/- values":[""],"Show Bubbles":[""],"Whether to display bubbles on top of countries":[""],"Legend":[""],"Whether to display the legend (toggles)":[""],"Show Values":[""],"Whether to display the numerical values within the cells":[""],"Show Metric Names":[""],"Whether to display the metric name as a title":[""],"X bounds":[""],"Whether to display the min and max values of the X axis":[""],"Y bounds":[""],"Whether to display the min and max values of the Y axis":[""],"Rich Tooltip":[""],"The rich tooltip shows a list of all series for that point in time":[""],"Y Log Scale":[""],"Use a log scale for the Y axis":[""],"X Log Scale":[""],"Use a log scale for the X axis":[""],"Log Scale":[""],"Use a log scale":[""],"Donut":[""],"Do you want a donut or a pie?":[""],"Put labels outside":[""],"Put the labels outside the pie?":[""],"Contribution":["贡献"],"Compute the contribution to the total":[""],"Period Ratio":[""],"[integer] Number of period to compare against, this is relative to the granularity selected":[""],"Period Ratio Type":[""],"`factor` means (new/previous), `growth` is ((new/previous) - 1), `value` is (new-previous)":[""],"Time Shift":[""],"Overlay one or more timeseries from a relative time period. Expects relative time deltas in natural language (example: 24 hours, 7 days, 56 weeks, 365 days)":[""],"Subheader":[""],"Description text that shows up below your Big Number":[""],"label":["标签"],"`count` is COUNT(*) if a group by is used. Numerical columns will be aggregated with the aggregator. Non-numerical columns will be used to label points. Leave empty to get a count of points in each cluster.":[""],"Map Style":[""],"Base layer map style":[""],"Clustering Radius":[""],"The radius (in pixels) the algorithm uses to define a cluster. Choose 0 to turn off clustering, but beware that a large number of points (>1000) will cause lag.":[""],"Point Size":[""],"Fixed point radius":[""],"Point Radius":[""],"The radius of individual points (ones that are not in a cluster). Either a numerical column or `Auto`, which scales the point based on the largest cluster":[""],"Point Radius Unit":[""],"The unit of measure for the specified point radius":[""],"Point Unit":[""],"Opacity":[""],"Opacity of all clusters, points, and labels. Between 0 and 1.":[""],"Viewport":[""],"Parameters related to the view and perspective on the map":[""],"Zoom":[""],"Zoom level of the map":[""],"Default latitude":[""],"Latitude of default viewport":[""],"Default longitude":[""],"Longitude of default viewport":[""],"Live render":[""],"Points and clusters will update as viewport is being changed":[""],"RGB Color":[""],"The color for points and clusters in RGB":[""],"Color":[""],"Pick a color":[""],"Ranges":[""],"Ranges to highlight with shading":[""],"Range labels":[""],"Labels for the ranges":[""],"Markers":[""],"List of values to mark with triangles":[""],"Marker labels":[""],"Labels for the markers":[""],"Marker lines":[""],"List of values to mark with lines":[""],"Marker line labels":[""],"Labels for the marker lines":[""],"Chart ID":[""],"The id of the active chart":[""],"Cache Timeout (seconds)":["缓存超时(秒)"],"The number of seconds before expiring the cache":[""],"Order by entity id":[""],"Important! Select this if the table is not already sorted by entity id, else there is no guarantee that all events for each entity are returned.":[""],"Minimum leaf node event count":[""],"Leaf nodes that represent fewer than this number of events will be initially hidden in the visualization":[""],"Color Scheme":[""],"The color scheme for rendering chart":[""],"Significance Level":[""],"Threshold alpha level for determining significance":[""],"p-value precision":[""],"Number of decimal places with which to display p-values":[""],"Lift percent precision":[""],"Number of decimal places with which to display lift values":[""],"Time Series Columns":[""],"Use Area Proportions":[""],"Check if the Rose Chart should use segment area instead of segment radius for proportioning":[""],"Options":[""],"Not Time Series":[""],"Ignore time":[""],"Time Series":[""],"Standard time series":[""],"Aggregate Mean":[""],"Mean of values over specified period":[""],"Aggregate Sum":[""],"Sum of values over specified period":[""],"Difference":[""],"Metric change in value from `since` to `until`":[""],"Percent Change":[""],"Metric percent change in value from `since` to `until`":[""],"Factor":[""],"Metric factor change from `since` to `until`":[""],"Advanced Analytics":[""],"Use the Advanced Analytics options below":[""],"Settings for time series":[""],"Equal Date Sizes":[""],"Check to force date partitions to have the same height":[""],"Partition Limit":[""],"The maximum number of subdivisions of each group; lower values are pruned first":[""],"Minimum Radius":[""],"Minimum radius size of the circle, in pixels. As the zoom level changes, this insures that the circle respects this minimum radius.":[""],"Maximum Radius":[""],"Maxium radius size of the circle, in pixels. As the zoom level changes, this insures that the circle respects this maximum radius.":[""],"Partition Threshold":[""],"Partitions whose height to parent height proportions are below this value are pruned":[""],"Lines column":[""],"The database columns that contains lines information":[""],"Lines encoding":[""],"The encoding format of the lines":[""],"Line width":[""],"The width of the lines":[""],"Line charts":[""],"Pick a set of line charts to layer on top of one another":[""],"Select charts":[""],"Error while fetching charts":[""],"Right Axis chart(s)":[""],"Choose one or more charts for right axis":[""],"Prefix metric name with slice name":[""],"Reverse Lat & Long":[""],"deck.gl charts":[""],"Pick a set of deck.gl charts to layer on top of one another":[""],"Javascript data interceptor":[""],"Define a javascript function that receives the data array used in the visualization and is expected to return a modified version of that array. This can be used to alter properties of the data, filter, or enrich the array.":[""],"Javascript data mutator":[""],"Define a function that receives intercepts the data objects and can mutate it":[""],"Javascript tooltip generator":[""],"Define a function that receives the input and outputs the content for a tooltip":[""],"Javascript onClick href":[""],"Define a function that returns a URL to navigate to when user clicks":[""],"Extra data for JS":[""],"List of extra columns made available in Javascript functions":[""],"Stroked":[""],"Whether to display the stroke":[""],"Filled":[""],"Whether to fill the objects":[""],"Normalized":[""],"Whether to normalize the histogram":[""],"is expected to be a number":[""],"is expected to be an integer":[""],"cannot be empty":[""],"Time":[""],"Time related form attributes":[""],"Datasource & Chart Type":["数据源 & 图表类型"],"This section exposes ways to include snippets of SQL in your query":[""],"Annotations and Layers":[""],"Query":["查询"],"This section contains options that allow for advanced analytical post processing of query results":[""],"Result Filters":[""],"The filters to apply after post-aggregation.Leave the value control empty to filter empty strings or nulls":[""],"Chart Options":["图表选项"],"Breakdowns":[""],"Defines how each series is broken down":[""],"Pie Chart":[""],"Y Axis 1":[""],"Y Axis 2":[""],"Left Axis chart(s)":[""],"Choose one or more charts for left axis":[""],"Left Axis Format":[""],"Time Series - Periodicity Pivot":[""],"Dual Axis Line Chart":[""],"Left Axis Metric":[""],"Choose a metric for left axis":[""],"Map":[""],"Deck.gl - Hexagons":[""],"Advanced":[""],"Height":["高度"],"Metric used to control height":[""],"Deck.gl - Grid":[""],"Deck.gl - Screen grid":[""],"Grid":[""],"Weight":[""],"Metric used as a weight for the grid's coloring":[""],"Deck.gl - GeoJson":[""],"GeoJson Settings":[""],"Polygon Settings":[""],"Arc":[""],"Point Color":[""],"Categorical Color":[""],"Pick a dimension from which categorical colors are defined":[""],"GROUP BY":[""],"Use this section if you want a query that aggregates":[""],"NOT GROUPED BY":[""],"Use this section if you want to query atomic rows":[""],"Time Series Table":[""],"Templated link, it's possible to include {{ metric }} or other values coming from the controls.":[""],"Pivot Options":[""],"Number Format":[""],"Time Format":[""],"Numeric Columns":[""],"Select the numeric columns to draw the histogram":[""],"No of Bins":[""],"Select number of bins for the histogram":[""],"Opacity of the bars. Between 0 and 1":[""],"Primary Metric":[""],"The primary metric is used to define the arc segment sizes":[""],"Secondary Metric":[""],"[optional] this secondary metric is used to define the color as a ratio against the primary metric. When omitted, the color is categorical and based on labels":[""],"Hierarchy":[""],"This defines the level of the hierarchy":[""],"Source / Target":[""],"Choose a source and a target":[""],"Chord Diagram":[""],"Choose a number format":[""],"Source":[""],"Choose a source":[""],"Target":[""],"Choose a target":[""],"ISO 3166-2 codes of region/province/department":[""],"It's ISO 3166-2 of your region/province/department in your table. (see documentation for list of ISO 3166-2)":[""],"Bubbles":[""],"Country Control":[""],"3 letter code of the country":[""],"Metric for color":[""],"Metric that defines the color of the country":[""],"Bubble size":[""],"Metric that defines the size of the bubble":[""],"Filter Box":[""],"Filter controls":[""],"The controls you want to filter on. Note that only columns checked as \"filterable\" will show up on this list.":[""],"Heatmap Options":[""],"Whether to apply a normal distribution based on rank on the color scale":[""],"Value bounds":[""],"Hard value bounds applied for color coding. Is only relevant and applied when the normalization is applied against the whole heatmap.":[""],"Value Format":[""],"Horizon":[""],"Points":[""],"Labelling":[""],"Visual Tweaks":[""],"Column containing longitude data":[""],"Column containing latitude data":[""],"Cluster label aggregator":[""],"Aggregate function applied to the list of points in each cluster to produce the cluster label.":[""],"Tooltip":["提示"],"Show a tooltip when hovering over points and clusters describing the label":["鼠标悬停在描述标签的点和簇上时,可以显示对应的提示"],"One or many controls to group by. If grouping, latitude and longitude columns must be present.":["使用一个或多个控件来分组。一旦分组,则纬度和经度列必须存在。"],"Event definition":["事件定义"],"Additional meta data":["额外的元数据"],"Column containing entity ids":["包含实体标识的列"],"e.g., a \"user id\" column":["包含事件名称的列"],"Column containing event names":["包含事件名称的列"],"Event count limit":["事件计数限制"],"The maximum number of events to return, equivalent to number of rows":["要返回的最大事件数量,相当于行数"],"Meta data":["元数据"],"Select any columns for meta data inspection":["选择任何列用来对元数据进行探查"],"Paired t-test":[""],"Time Series Options":[""],"No such column found. To filter on a metric, try the Custom SQL tab.":[""],"%s column(s) and metric(s)":[""],"%s column(s)":[""],"To filter on a metric, use Custom SQL tab.":[""],"%s operators(s)":[""],"type a value here":[""],"Filter value":["过滤值"],"choose WHERE or HAVING...":[""],"%s aggregates(s)":[""],"description":["描述"],"bolt":["螺栓"],"Changing this control takes effect instantly":[""],"Error...":["错误 ..."],"Width":["宽度"],"Export to .json":["导出到 .json"],"Export to .csv format":["导出为 .csv 格式"],"%s - untitled":["%s - 无标题"],"Edit chart properties":[""],"Limit reached":[""],"Please enter a chart name":[""],"Please select a dashboard":["请选择一个仪表板"],"Please enter a dashboard name":["请输入仪表板名称"],"Save A Chart":[""],"Overwrite chart %s":[""],"[chart name]":[""],"Do not add to a dashboard":["不要添加到仪表板"],"Add chart to existing dashboard":[""],"Add to new dashboard":["添加到新的仪表板"],"Save & go to dashboard":["保存并转到仪表板"],"choose a column or metric":[""],"Add Annotation Layer":[""],"`Min` value should be numeric or empty":["最小值应该是数字或空的"],"`Max` value should be numeric or empty":["最大值应该是数字或空的"],"Min":["最小值"],"Max":["最大值"],"Something went wrong while fetching the datasource list":["提取数据源列表时出错"],"Select a datasource":["选择一个数据源"],"Search / Filter":["搜索 / 过滤"],"Click to point to another datasource":["点击指向另一个数据源"],"Edit the datasource's configuration":["编辑数据源的配置"],"Show datasource configuration":[""],"Select metric":["选择指标"],"Select column":["选择列"],"Select operator":["选择运算符"],"Add Filter":["增加过滤条件"],"choose a column or aggregate function":[""],"Error while fetching data":["获取数据时出错"],"No results found":[""],"%s option(s)":[""],"Invalid lat/long configuration.":[""],"Longitude & Latitude columns":[""],"Delimited long & lat single column":[""],"Multiple formats accepted, look the geopy.points Python library for more details":[""],"Reverse lat/long ":[""],"Geohash":[""],"textarea":["文本区域"],"Edit":["编辑"],"in modal":["在模态中"],"Select a visualization type":["选择一个可视化类型"],"Favorites":["收藏"],"Created Content":["创建内容"],"Recent Activity":["近期活动"],"Security & Access":["安全 & 访问"],"No charts":[""],"No dashboards":["没有看板"],"Dashboards":["看板"],"Charts":[""],"No favorite charts yet, go click on stars!":[""],"No favorite dashboards yet, go click on stars!":["暂无收藏的看板,去点击星星吧!"],"Roles":["角色"],"Databases":["数据库"],"Datasources":["数据源"],"Profile picture provided by Gravatar":["资料图片由 Gravatar 提供"],"joined":["joined"],"id:":["id:"],"Sorry, there appears to be no data":["对不起,似乎没有数据"],"Data has no time steps":[""],"Select starting date":[""],"Select end date":[""],"Select [%s]":["选择 [%s]"],"Apply":[""],"You cannot use 45° tick layout along with the time range filter":[""],"Recently Viewed":[""],"Metric(s) {} must be aggregations.":[""],"No data was returned.":["没有返回任何数据。"],"Unsupported extraction function: ":[""],"List Druid Column":["Druid 列的列表"],"Show Druid Column":["显示 Druid 列"],"Add Druid Column":["添加 Druid 列"],"Edit Druid Column":["编辑 Druid 列"],"Column":["列"],"Type":["类型"],"Groupable":["可分组"],"Filterable":["可过滤"],"Count Distinct":["计数"],"Sum":["求和"],"Whether this column is exposed in the `Filters` section of the explore view.":["该列是否在浏览视图的`过滤器`部分显示。"],"List Druid Metric":["Druid 指标列表"],"Show Druid Metric":["显示 Druid 指标"],"Add Druid Metric":["添加 Druid 指标"],"Edit Druid Metric":["编辑 Druid 指标"],"Whether the access to this metric is restricted to certain roles. Only roles with the permission 'metric access on XXX (the name of this metric)' are allowed to access this metric":[""],"Verbose Name":["全称"],"JSON":["JSON"],"Druid Datasource":["Druid 数据源"],"Warning Message":["告警信息"],"List Druid Cluster":["Druid 集群列表"],"Show Druid Cluster":["显示 Druid 集群"],"Add Druid Cluster":["添加 Druid 集群"],"Edit Druid Cluster":["编辑 Druid 集群"],"Cluster":["集群"],"Broker Host":["代理主机"],"Broker Port":["代理端口"],"Broker Endpoint":["代理端点"],"Druid Clusters":["Druid 集群"],"Sources":["数据源"],"List Druid Datasource":["Druid 数据源列表"],"Show Druid Datasource":["显示 Druid 数据源"],"Add Druid Datasource":["添加 Druid 数据源"],"Edit Druid Datasource":["编辑 Druid 数据源"],"The list of charts associated with this table. By altering this datasource, you may change how these associated charts behave. Also note that charts need to point to a datasource, so this form will fail at saving if removing charts from a datasource. If you want to change the datasource for a chart, overwrite the chart from the 'explore view'":[""],"Timezone offset (in hours) for this datasource":["数据源的时差(单位:小时)"],"Time expression to use as a predicate when retrieving distinct values to populate the filter component. Only applies when `Enable Filter Select` is on. If you enter `7 days ago`, the distinct list of values in the filter will be populated based on the distinct value over the past week":["当检索不同的值以填充过滤器组件时,时间表达式用作条件。只适用于`启用过滤器选择`。如果您输入`7天前`,将根据过去一周的不同值来填充ilter中不同的值列表"],"Whether to populate the filter's dropdown in the explore view's filter section with a list of distinct values fetched from the backend on the fly":["是否在浏览视图的过滤器部分中填充过滤器的下拉列表,并提供从后端获取的不同值的列表"],"Redirects to this endpoint when clicking on the datasource from the datasource list":["在数据源列表中点击数据源将重定向到此端点"],"Associated Charts":[""],"Data Source":["数据源"],"Owner":["所有者"],"Is Hidden":["隐藏"],"Enable Filter Select":["启用过滤器选择"],"Default Endpoint":["默认端点"],"Time Offset":["时间偏移"],"Cache Timeout":["缓存时间"],"Druid Datasources":["Druid 数据源"],"Scan New Datasources":["扫描新的数据源"],"Refresh Druid Metadata":["刷新 Druid 元数据"],"Datetime column not provided as part table configuration and is required by this type of chart":["缺少时间字段"],"Empty query?":["查询为空?"],"Metric '{}' is not valid":["'{}'是无效的"],"Table [{}] doesn't seem to exist in the specified database, couldn't fetch column information":["指定的数据库中似乎不存在 [{}] 表,无法获取列信息"],"List Columns":["列列表"],"Show Column":["显示列"],"Add Column":["添加列"],"Edit Column":["编辑列"],"Whether to make this column available as a [Time Granularity] option, column has to be DATETIME or DATETIME-like":["是否将此列作为[时间粒度]选项, 列中的数据类型必须是DATETIME"],"The data type that was inferred by the database. It may be necessary to input a type manually for expression-defined columns in some cases. In most case users should not need to alter this.":["由数据库推断的数据类型。在某些情况下,可能需要为表达式定义的列手工输入一个类型。在大多数情况下,用户不需要修改这个数据类型。"],"Expression":["表达式"],"Is temporal":["表示时间"],"Datetime Format":["时间格式"],"Database Expression":["数据库表达式"],"List Metrics":["指标列"],"Show Metric":["显示指标"],"Add Metric":["添加指标"],"Edit Metric":["编辑指标"],"SQL Expression":["SQL表达式"],"D3 Format":["D3 格式"],"Is Restricted":["受限的"],"List Tables":["表列表"],"Show Table":["显示表"],"Add Table":["添加表"],"Edit Table":["编辑表"],"Name of the table that exists in the source database":["源数据库中存在的表的名称"],"Schema, as used only in some databases like Postgres, Redshift and DB2":["模式,只在一些数据库中使用,比如Postgres、Redshift和DB2"],"This fields acts a Superset view, meaning that Superset will run a query against this string as a subquery.":["这个字段执行Superset视图时,意味着Superset将以子查询的形式对字符串运行查询。"],"Predicate applied when fetching distinct value to populate the filter control component. Supports jinja template syntax. Applies only when `Enable Filter Select` is on.":["当获取不同的值来填充过滤器组件应用时。支持jinja的模板语法。只在`启用过滤器选择`时应用。"],"Redirects to this endpoint when clicking on the table from the table list":["点击表列表中的表时将重定向到此端点"],"Whether the table was generated by the 'Visualize' flow in SQL Lab":[""],"A set of parameters that become available in the query using Jinja templating syntax":[""],"Changed By":["修改人"],"Last Changed":["更新时间"],"Offset":["偏移"],"Fetch Values Predicate":["取值谓词"],"Main Datetime Column":["主日期列"],"SQL Lab View":[""],"Template parameters":[""],"Table [{}] could not be found, please double check your database connection, schema, and table name":["找不到 [{}] 表,请仔细检查您的数据库连接、Schema 和 表名"],"The table was created. As part of this two phase configuration process, you should now click the edit button by the new table to configure it.":["表被创建。作为这两个阶段配置过程的一部分,您现在应该单击新表的编辑按钮来配置它。"],"Refresh Metadata":[""],"Refresh column metadata":[""],"Metadata refreshed for the following table(s): %(tables)s":[""],"Tables":["数据表"],"Profile":["用户信息"],"Logout":["退出"],"Login":["登录"],"Record Count":["记录数"],"No records found":["没有找到任何记录"],"Import dashboards":[""],"No Access!":["不能访问!"],"You do not have permissions to access the datasource(s): %(name)s.":["您没有权限访问数据源(s): %(name)s。"],"Request Permissions":["请求权限"],"Test Connection":["测试连接"],"Annotation Layers":["注解层"],"Manage":["管理"],"Annotations":["注解"],"Datasource %(name)s already exists":["数据源%(name)s 已存在"],"json isn't valid":["无效 JSON"],"Export to YAML":[""],"Export to YAML?":[""],"Delete":["删除"],"Delete all Really?":["确定删除全部?"],"This endpoint requires the `all_datasource_access` permission":["这个端点需要“all_datasource_access”的权限"],"The datasource seems to have been deleted":["数据源已经被删除"],"The access requests seem to have been deleted":["访问请求已被删除"],"The user seems to have been deleted":["用户已经被删除"],"You don't have access to this datasource. (Gain access)":[""],"You don't have access to this datasource":["你不能访问这个数据源"],"This view requires the database %(name)s or `all_datasource_access` permission":["此视图需要数据库 %(name)s或“all_datasource_access”权限"],"This endpoint requires the datasource %(name)s, database or `all_datasource_access` permission":["此端点需要数据源 %(name)s、数据库或“all_datasource_access”权限"],"List Databases":["数据库列表"],"Show Database":["显示数据库"],"Add Database":["添加数据库"],"Edit Database":["编辑数据库"],"Expose this DB in SQL Lab":["在 SQL 工具箱中公开这个数据库"],"Allow users to run synchronous queries, this is the default and should work well for queries that can be executed within a web request scope (<~1 minute)":["允许用户运行同步查询,这是默认值,可以很好地处理在web请求范围内执行的查询(<~ 1 分钟)"],"Allow users to run queries, against an async backend. This assumes that you have a Celery worker setup as well as a results backend.":["允许用户对异步后端运行查询。 假设您有一个 Celery 工作者设置以及后端结果。"],"Allow CREATE TABLE AS option in SQL Lab":["在 SQL 编辑器中允许 CREATE TABLE AS 选项"],"Allow users to run non-SELECT statements (UPDATE, DELETE, CREATE, ...) in SQL Lab":["允许用户在 SQL 编辑器中运行非 SELECT 语句(UPDATE,DELETE,CREATE,...)"],"When allowing CREATE TABLE AS option in SQL Lab, this option forces the table to be created in this schema":["当在 SQL 编辑器中允许 CREATE TABLE AS 选项时,此选项可以此模式中强制创建表"],"If Presto, all the queries in SQL Lab are going to be executed as the currently logged on user who must have permission to run them.
If Hive and hive.server2.enable.doAs is enabled, will run the queries as service account, but impersonate the currently logged on user via hive.server2.proxy.user property.":[""],"Allow SQL Lab to fetch a list of all tables and all views across all database schemas. For large data warehouse with thousands of tables, this can be expensive and put strain on the system.":[""],"Expose in SQL Lab":["在 SQL 工具箱中公开"],"Allow CREATE TABLE AS":["允许 CREATE TABLE AS"],"Allow DML":["允许 DML"],"CTAS Schema":["CTAS 模式"],"Creator":["作者"],"SQLAlchemy URI":["SQLAlchemy URI"],"Extra":["扩展"],"Allow Run Sync":["允许同步运行"],"Allow Run Async":["允许异步运行"],"Impersonate the logged on user":[""],"Import Dashboards":["导入仪表盘"],"CSV to Database configuration":[""],"CSV file \"{0}\" uploaded to table \"{1}\" in database \"{2}\"":[""],"User":["用户"],"User Roles":["用户角色"],"Database URL":["数据库URL"],"Roles to grant":["角色授权"],"Created On":["创建日期"],"Access requests":["访问请求"],"Security":["安全"],"List Charts":[""],"Show Chart":[""],"Add Chart":[""],"Edit Chart":[""],"These parameters are generated dynamically when clicking the save or overwrite button in the explore view. This JSON object is exposed here for reference and for power users who may want to alter specific parameters.":["当单击“保存”或“覆盖”按钮时,这些参数会在视图中动态生成。高级用户可以在这里改变特定的参数。"],"Duration (in seconds) of the caching timeout for this chart.":[""],"Last Modified":["最后修改"],"Owners":["所有者"],"Parameters":["参数"],"Chart":[""],"List Dashboards":["仪表盘列表"],"Show Dashboard":["显示仪表盘"],"Add Dashboard":["添加仪表盘"],"Edit Dashboard":["编辑仪表盘"],"This json object describes the positioning of the widgets in the dashboard. It is dynamically generated when adjusting the widgets size and positions by using drag & drop in the dashboard view":[""],"The css for individual dashboards can be altered here, or in the dashboard view where changes are immediately visible":["可以在这里或者在看板视图修改单个看板的CSS样式"],"To get a readable URL for your dashboard":["为看板生成一个可读的 URL"],"This JSON object is generated dynamically when clicking the save or overwrite button in the dashboard view. It is exposed here for reference and for power users who may want to alter specific parameters.":["当在看板视图中单击“保存”或“覆盖”按钮时,这些参数会在视图中动态生成。高级用户可以在这里改变特定的参数。"],"Owners is a list of users who can alter the dashboard.":["“所有者”是一组可以修改看板的用户列表。"],"Dashboard":["看板"],"Slug":["Slug"],"Position JSON":["位置参数"],"JSON Metadata":["JSON 模板"],"Underlying Tables":["底层表"],"Export":["导出"],"Export dashboards?":["导出仪表盘?"],"Action":["操作"],"dttm":["DTTM"],"Action Log":["操作日志"],"Access was requested":["请求访问"],"%(user)s was granted the role %(role)s that gives access to the %(datasource)s":["授予 %(user)s %(role)s 角色来访问 %(datasource)s 数据库"],"Role %(r)s was extended to provide the access to the datasource %(ds)s":["扩展角色 %(r)s 以提供对 datasource %(ds)s 的访问"],"You have no permission to approve this request":["您没有权限批准此请求"],"You don't have the rights to ":[""],"alter this ":[""],"chart":[""],"create a ":[""],"dashboard":[""],"Malformed request. slice_id or table_name and db_name arguments are expected":["格式错误的请求。需要使用 slice_id 或 table_name 和 db_name 参数"],"Chart %(id)s not found":[""],"Table %(t)s wasn't found in the database %(d)s":["在数据库 %(d)s 中找不到表 %(t)s"],"Can't find User '%(name)s', please ask your admin to create one.":[""],"Can't find DruidCluster with cluster_name = '%(name)s'":["不能找到具有 cluster_name = '%(name)s' 的 Druid 集群"],"Query record was not created as expected.":["查询记录没有按预期创建。"],"Template Name":["模板名称"],"CSS Templates":["CSS 模板"],"SQL Editor":["SQL 编辑器"],"SQL Lab":["SQL 工具箱"],"Query Search":["查询搜索"],"Upload a CSV":[""],"Status":["状态"],"Start Time":["开始时间"],"End Time":["结束时间"],"Queries":["查询"],"List Saved Query":["保存的查询列表"],"Show Saved Query":["显示保存的查询"],"Add Saved Query":["添加保存的查询"],"Edit Saved Query":["编辑保存的查询"],"Pop Tab Link":["流行标签链接"],"Changed on":["改变为"],"Saved Queries":["已保存查询"]}}} \ No newline at end of file diff --git a/superset/translations/zh/LC_MESSAGES/messages.po b/superset/translations/zh/LC_MESSAGES/messages.po index 4cd37c9a9..72e581817 100644 --- a/superset/translations/zh/LC_MESSAGES/messages.po +++ b/superset/translations/zh/LC_MESSAGES/messages.po @@ -4110,18 +4110,6 @@ msgstr "编辑 Druid 集群" msgid "Cluster" msgstr "集群" -#: superset/connectors/druid/views.py:172 -msgid "Coordinator Host" -msgstr "协调器主机" - -#: superset/connectors/druid/views.py:173 -msgid "Coordinator Port" -msgstr "协调器端口" - -#: superset/connectors/druid/views.py:174 -msgid "Coordinator Endpoint" -msgstr "协调器端点" - #: superset/connectors/druid/views.py:175 msgid "Broker Host" msgstr "代理主机" diff --git a/tests/druid_tests.py b/tests/druid_tests.py index 9d3a20fc5..ada18d00a 100644 --- a/tests/druid_tests.py +++ b/tests/druid_tests.py @@ -84,9 +84,6 @@ class DruidTests(SupersetTestCase): def get_test_cluster_obj(self): return DruidCluster( cluster_name='test_cluster', - coordinator_host='localhost', - coordinator_endpoint='druid/coordinator/v1/metadata', - coordinator_port=7979, broker_host='localhost', broker_port=7980, broker_endpoint='druid/v2', @@ -311,8 +308,6 @@ class DruidTests(SupersetTestCase): cluster = DruidCluster( cluster_name='test_cluster', - coordinator_host='localhost', - coordinator_port=7979, broker_host='localhost', broker_port=7980, metadata_last_refreshed=datetime.now())