diff --git a/_sources/introducao-programacao/exemplos.rst.txt b/_sources/introducao-programacao/exemplos.rst.txt index 515a744..e29e1ad 100644 --- a/_sources/introducao-programacao/exemplos.rst.txt +++ b/_sources/introducao-programacao/exemplos.rst.txt @@ -587,3 +587,391 @@ Faça um programa que: .. tip:: Para mais detalhes sobre as operações com arquivos texto, consulte a seção `7.2. Reading and Writing Files `__ do manual do Python. + + +----- + + +**13.** O módulo `os `__ da Biblioteca Padrão do Python fornece funcionalidades para interagir com o sistema de arquivos do sistema operacional. Por exempplo, a função ``getcwd`` fornece o diretório corrente da aplicação em execução: + + +.. code-block:: python + + import os + + print(os.getcwd()) + + +Saída: + + +.. code-block:: text + + /home/gribeiro/Temp/Aula + + +A função ``listdir`` retorna uma lista contendo nomes de entradas em um dado diretório. Por exemplo, supondo que queremos obter a lista de arquivos e diretórios na raiz do sistema de arquivos, podemos fazer: + + +.. tabs:: + + .. tab:: Linux + + + .. code-block:: python + + import os + + listagem = os.listdir('/') + + for f in listagem: + print(f) + + + Saída: + + + .. code-block:: text + + run + lib + etc + media + var + lib32 + snap + lost+found + tmp + libx32 + ... + mnt + sbin + + + .. tab:: Microsoft Windows + + .. code-block:: python + + import os + + listagem = os.listdir('C:\\') + + for f in listagem: + print(f) + + +O módulo `os.path `__ fornece funcionalidades para manipulação de caminhos ou nomes de arquivos e diretórios. Por exemplo, o trecho de código abaixo recupera a lista de arquivos e sub-diretórios do diretório ``/home/gribeiro/CAP-349/PG-Shared-Data`` e imprime se o objeto setrata de um arquivo ou diretório: + + +.. code-block:: python + + import os + + listagem = os.listdir('/home/gribeiro/CAP-349/PG-Shared-Data') + + for objeto in listagem: + + path_objeto = os.path.join('/home/gribeiro/CAP-349/PG-Shared-Data', objeto) + + print('Objeto:', path_objeto) + + if os.path.isdir(path_objeto): + print('\tDiretório:', objeto) + elif os.path.isfile(path_objeto): + basename = os.path.basename(path_objeto) + + par = os.path.splitext(path_objeto) + + print('\tNome do arquivo: {}, Extensão Arquivo:{}'.format(basename, par[1])) + + +----- + + +**14.1** Faça um programa que pergunte ao jogador uma palavra secreta e depois escreva essa palavra na saída padrão. + + +.. collapse:: Solução: + + + .. code-block:: python + + palavra_secreta = input('Entre com a palavra secreta: ') + + print(palavra_secreta) + + +|br| + + +**14.2.** Considerando o módulo Python `getpass `_, refaça o exercício 14.1, só que sem "ecoar" o texto digitado pelo jogador ao entrar com a palavra secreta. + + +.. collapse:: Solução: + + + .. code-block:: python + + import getpass + + palavra_secreta = getpass.getpass(prompt='Entre com a palavra secreta: ') + + print(palavra_secreta) + + +|br| + + +**14.3.** Faça um programa que peça ao jogador 1 para fornecer uma palavra secreta e peça ao jogador 2 para fornecer uma letra que possa estar presente na palavra secreta fornecida pelo jogador 1. Para isso, faça uma função que verifique a ocorrência da letra na palavra secreta. Exemplo: + + +.. code-block:: python + + >>> palavra_secreta = 'sensoriamento' + + >>> print( ocorre('o', palavra_secreta) ) + True + + >>> print( ocorre('u', palavra_secreta) ) + False + + +.. collapse:: Solução: + + + Uma possível solução seria: + + .. code-block:: python + + import getpass + + + def ocorre(letra, segredo): + return letra in segredo + + + palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com a palavra secreta: ') + + letra = input('Jogador 2, por favor, adivinhe uma letra da palavra secreta do Jogador 1: ') + + print( ocorre(letra, palavra_secreta) ) + + + Outra solução possivel, sem utilizar o operador ``in`` de sequências, consiste no uso de um laço para percorrer cada caracter da palavra com o segredo até que a letra seja encontrada ou o laço termine sem encontrar a ocorrência dessa letra: + + + .. code-block:: python + + def ocorre(letra, segredo): + for l in segredo: + if l == letra: + return True + + return False + + +|br| + + +**14.4.** Suponha a existência de uma lista de letras, por exemplo, ``[ 'o', 't,', 'z', 'e', 'a' ]``. Faça uma função que escreva uma palavra omitindo as letras que não pertençam a essa lista, usando um símbolo de ``_`` (sublinhado). Veja o exemplo de uso: + + +.. code-block:: python + + >>> palavra_secreta = 'sensoriamento' + + >>> letras = [ 'o', 't', 'z', 'e', 'a' ] + + >>> palavra_oculta = ocultar(letras, palavra_secreta) + + >>> print(palavra_oculta) + _ e _ _ o _ _ a _ e _ t o + + +.. collapse:: Solução: + + + .. code-block:: python + + import getpass + + def ocorre(letra, segredo): + return letra in segredo + + + def ocultar(letras, palavra_secreta): + palavra_oculta = '' + + for c in palavra_secreta: + + if c in letras: + palavra_oculta = palavra_oculta + c + else: + palavra_oculta = palavra_oculta + '_' + + return palavra_oculta + + + palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com a palavra secreta: ') + + letras = [ 'o', 't', 'z', 'e', 'a' ] + + palavra_oculta = ocultar(letras, palavra_secreta) + + print(palavra_oculta) + + +|br| + + +**14.5.** Faça um programa que peça ao usuário uma letra e inclua essa letra em uma lista. Caso a letra já tenha sido digitada, o programa deve avisar o usuário e pedir uma nova letra. A cada iteração desse programa, escreva o conteúdo da lista. O programa deve parar após 06 iterações. + + +.. collapse:: Solução: + + + .. code-block:: python + + contador = 0 + + letras = [] + + while contador < 6: + l = input('Entre com uma letra: ') + + if l not in letras: + letras.append(l) + else: + print('A letra "{}" já foi digitada!'.format(l)) + + print('Letras digitadas: {}'.format(letras)) + + contador = contador + 1 + + +|br| + + +**14.6.** Agora podemos escrever o programa completo do jogo: + +.. rst-class:: open + +- O programa inicialmente pede ao jogador 1 a palavra secreta. + +- O jogador 2 terá no máximo 06 chances para propor letras que ocorram na palavra secreta fornecida pelo jogador 1. + +- Portanto, a cada rodada, o jogador 2 irá propor uma nova letra. + +- O programa deverá testar se a nova letra já foi sugerida. Caso tenha sido, o programa deverá avisar ao jogador 2 e este perderá uma chance. Se o jogador ainda tiver chances, uma nova letra deverá ser solicitada. + +- Se a nova letra ocorrer na palavra secreta, o programa deverá escrever todas as letras já descobertas da palavra secreta. + +- Se a nova letra não ocorrer na palavra secreta, o jogador perderá uma chance. + + +Veja um exemplo de interação do programa esperado: + + +.. code-block:: text + + Jogador 1, por favor, entre com uma palavra secreta: + (vamos supor que a palavra seja 'sensoriameto') + + Número de chances: 6 + Jogador 2, por favor, entre com uma letra da palavra secreta: s + A letra 's' ocorre na palavra secreta: s _ _ s _ _ _ _ _ _ _ _ _ + --------- + + Número de chances: 6 + Jogador 2, por favor, entre com uma letra da palavra secreta: u + A letra 'u' não ocorre na palavra secreta: s _ _ s _ _ _ _ _ _ _ _ _ + --------- + + Número de chances: 5 + Jogador 2, por favor, entre com uma letra da palavra secreta: e + A letra 'e' não ocorre na palavra secreta: s e _ s _ _ _ _ _ e _ _ _ + --------- + + ... + + +Ao final, caso o número de tentativas tenha se esgotado, o programa deverá avisar: + + +.. code-block:: text + + Fim do jogo! Você não descobriu a palavra secreta: sensoriamento + + +Se o jogador 2 tiver acertado todas as letras, o programa deverá terminar com a seguinte saudação: + + +.. code-block:: text + + Parabéns! Você descobriu a palavra secreta: sensoriamento + + +.. collapse:: Solução: + + + .. code-block:: python + + import getpass + + def ocorre(letra, segredo): + return letra in segredo + + + def ocultar(letras, palavra_secreta): + palavra_oculta = '' + + for c in palavra_secreta: + + if c in letras: + palavra_oculta = palavra_oculta + c + else: + palavra_oculta = palavra_oculta + '_' + + return palavra_oculta + + + palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com uma palavra secreta: ') + + chances = 6 + + letras_ja_digitadas = [] + + texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta) + + while (chances > 0) and (texto_oculto != palavra_secreta): + + print('Número de chances:', chances) + + l = input('Jogador 2, adivinhe uma letra da palavra secreta: ') + + if l in letras_ja_digitadas: + texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta) + print('A letra "{}" já foi digitada! {}'.format(l, texto_oculto)) + chances = chances - 1 + elif not ocorre(l, palavra_secreta): + letras_ja_digitadas.append(l) + texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta) + print('A letra "{}" não ocorre na palavra secreta! {}'.format(l, texto_oculto)) + chances = chances - 1 + else: # Caso a letra não tenha sido digitada previamente e faça parte da palavra secreta + letras_ja_digitadas.append(l) + texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta) + print('A letra "{}" ocorre na palavra secreta! {}'.format(l, texto_oculto)) + + print('---------') + print() + + + if chances > 0: + print('Parabéns! Você descobriu a palavra secreta:', palavra_secreta) + else: + print('Fim do jogo! Você não descobriu a palavra secreta:', palavra_secreta) + + +|br| + diff --git a/_sources/listas/l01.rst.txt b/_sources/listas/l01.rst.txt index de6f757..b3b18ec 100644 --- a/_sources/listas/l01.rst.txt +++ b/_sources/listas/l01.rst.txt @@ -307,6 +307,61 @@ Faça um programa em Python que leia o nome de um arquivo, e escreva na saída p Data Format.............: hdf +.. collapse:: Solução: + + nome_do_arquivo = input('Digite o nome do arquivo MODIS: ') + + product = nome_do_arquivo[0:7] + + if product[0:3] == "MOD": + satellite = "Terra" + else: + satellite = "unknown" + + year_of_acquisition = nome_do_arquivo[9:13] + + julian_day = nome_do_arquivo[13:16] + + horizontal_tile = nome_do_arquivo[18:20] + + vertical_tile = nome_do_arquivo[21:23] + + collection = nome_do_arquivo[24:27] + + year_of_production = nome_do_arquivo[28:32] + + julian_day_of_production = nome_do_arquivo[32:35] + + production_hour = nome_do_arquivo[35:37] + + production_minute = nome_do_arquivo[37:39] + + production_second = nome_do_arquivo[39:41] + + data_format = nome_do_arquivo[42:45] + + print ('Satellite...............:', satellite) + + print ('Product.................:', product) + + print ('Year of Acquisition.....:', year_of_acquisition) + print ('Julian Day..............:', julian_day) + + print ('Horizontal Tile.........:', horizontal_tile) + print ('Vertical Tile...........:', vertical_tile) + + print ('Collection..............:', collection) + + print ('Year of Production......:', year_of_production) + print ('Julian Day of Production:', julian_day_of_production) + + print ('Production Hour.........:', production_hour) + print ('Production Minute.......:', production_minute) + print ('Production Second.......:', production_second) + + print ('Data Format.............:', data_format) + + ----- diff --git a/introducao-programacao/exemplos.html b/introducao-programacao/exemplos.html index 9ae4424..245e84f 100644 --- a/introducao-programacao/exemplos.html +++ b/introducao-programacao/exemplos.html @@ -23,6 +23,7 @@ + @@ -528,6 +529,287 @@

Dica

Para mais detalhes sobre as operações com arquivos texto, consulte a seção 7.2. Reading and Writing Files do manual do Python.

+
+

13. O módulo os da Biblioteca Padrão do Python fornece funcionalidades para interagir com o sistema de arquivos do sistema operacional. Por exempplo, a função getcwd fornece o diretório corrente da aplicação em execução:

+
import os
+
+print(os.getcwd())
+
+
+

Saída:

+
/home/gribeiro/Temp/Aula
+
+
+

A função listdir retorna uma lista contendo nomes de entradas em um dado diretório. Por exemplo, supondo que queremos obter a lista de arquivos e diretórios na raiz do sistema de arquivos, podemos fazer:

+
+
import os
+
+listagem = os.listdir('/')
+
+for f in listagem:
+    print(f)
+
+
+

Saída:

+
run
+lib
+etc
+media
+var
+lib32
+snap
+lost+found
+tmp
+libx32
+...
+mnt
+sbin
+
+
+
+

O módulo os.path fornece funcionalidades para manipulação de caminhos ou nomes de arquivos e diretórios. Por exemplo, o trecho de código abaixo recupera a lista de arquivos e sub-diretórios do diretório /home/gribeiro/CAP-349/PG-Shared-Data e imprime se o objeto setrata de um arquivo ou diretório:

+
import os
+
+listagem = os.listdir('/home/gribeiro/CAP-349/PG-Shared-Data')
+
+for objeto in listagem:
+
+    path_objeto = os.path.join('/home/gribeiro/CAP-349/PG-Shared-Data', objeto)
+
+    print('Objeto:', path_objeto)
+
+    if os.path.isdir(path_objeto):
+        print('\tDiretório:', objeto)
+    elif os.path.isfile(path_objeto):
+        basename = os.path.basename(path_objeto)
+
+        par = os.path.splitext(path_objeto)
+
+        print('\tNome do arquivo: {}, Extensão Arquivo:{}'.format(basename, par[1]))
+
+
+
+

14.1 Faça um programa que pergunte ao jogador uma palavra secreta e depois escreva essa palavra na saída padrão.

+
+Solução:
palavra_secreta = input('Entre com a palavra secreta: ')
+
+print(palavra_secreta)
+
+
+


+

14.2. Considerando o módulo Python getpass, refaça o exercício 14.1, só que sem “ecoar” o texto digitado pelo jogador ao entrar com a palavra secreta.

+
+Solução:
import getpass
+
+palavra_secreta = getpass.getpass(prompt='Entre com a palavra secreta: ')
+
+print(palavra_secreta)
+
+
+


+

14.3. Faça um programa que peça ao jogador 1 para fornecer uma palavra secreta e peça ao jogador 2 para fornecer uma letra que possa estar presente na palavra secreta fornecida pelo jogador 1. Para isso, faça uma função que verifique a ocorrência da letra na palavra secreta. Exemplo:

+
>>> palavra_secreta = 'sensoriamento'
+
+>>> print( ocorre('o', palavra_secreta) )
+True
+
+>>> print( ocorre('u', palavra_secreta) )
+False
+
+
+
+Solução:

Uma possível solução seria:

+
import getpass
+
+
+def ocorre(letra, segredo):
+    return letra in segredo
+
+
+palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com a palavra secreta: ')
+
+letra = input('Jogador 2, por favor, adivinhe uma letra da palavra secreta do Jogador 1: ')
+
+print( ocorre(letra, palavra_secreta) )
+
+
+

Outra solução possivel, sem utilizar o operador in de sequências, consiste no uso de um laço para percorrer cada caracter da palavra com o segredo até que a letra seja encontrada ou o laço termine sem encontrar a ocorrência dessa letra:

+
def ocorre(letra, segredo):
+    for l in segredo:
+        if l == letra:
+            return True
+
+    return False
+
+
+


+

14.4. Suponha a existência de uma lista de letras, por exemplo, [ 'o', 't,', 'z', 'e', 'a' ]. Faça uma função que escreva uma palavra omitindo as letras que não pertençam a essa lista, usando um símbolo de _ (sublinhado). Veja o exemplo de uso:

+
>>> palavra_secreta = 'sensoriamento'
+
+>>> letras = [ 'o', 't', 'z', 'e', 'a' ]
+
+>>> palavra_oculta = ocultar(letras, palavra_secreta)
+
+>>> print(palavra_oculta)
+_ e _ _ o _ _ a _ e _ t o
+
+
+
+Solução:
import getpass
+
+def ocorre(letra, segredo):
+    return letra in segredo
+
+
+def ocultar(letras, palavra_secreta):
+    palavra_oculta = ''
+
+    for c in palavra_secreta:
+
+        if c in letras:
+            palavra_oculta = palavra_oculta + c
+        else:
+            palavra_oculta = palavra_oculta + '_'
+
+    return palavra_oculta
+
+
+palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com a palavra secreta: ')
+
+letras = [ 'o', 't', 'z', 'e', 'a' ]
+
+palavra_oculta = ocultar(letras, palavra_secreta)
+
+print(palavra_oculta)
+
+
+


+

14.5. Faça um programa que peça ao usuário uma letra e inclua essa letra em uma lista. Caso a letra já tenha sido digitada, o programa deve avisar o usuário e pedir uma nova letra. A cada iteração desse programa, escreva o conteúdo da lista. O programa deve parar após 06 iterações.

+
+Solução:
contador = 0
+
+letras = []
+
+while contador < 6:
+    l = input('Entre com uma letra: ')
+
+    if l not in letras:
+        letras.append(l)
+    else:
+        print('A letra "{}" já foi digitada!'.format(l))
+
+    print('Letras digitadas: {}'.format(letras))
+
+    contador = contador + 1
+
+
+


+

14.6. Agora podemos escrever o programa completo do jogo:

+
    +
  • O programa inicialmente pede ao jogador 1 a palavra secreta.

  • +
  • O jogador 2 terá no máximo 06 chances para propor letras que ocorram na palavra secreta fornecida pelo jogador 1.

  • +
  • Portanto, a cada rodada, o jogador 2 irá propor uma nova letra.

  • +
  • O programa deverá testar se a nova letra já foi sugerida. Caso tenha sido, o programa deverá avisar ao jogador 2 e este perderá uma chance. Se o jogador ainda tiver chances, uma nova letra deverá ser solicitada.

  • +
  • Se a nova letra ocorrer na palavra secreta, o programa deverá escrever todas as letras já descobertas da palavra secreta.

  • +
  • Se a nova letra não ocorrer na palavra secreta, o jogador perderá uma chance.

  • +
+

Veja um exemplo de interação do programa esperado:

+
Jogador 1, por favor, entre com uma palavra secreta:
+(vamos supor que a palavra seja 'sensoriameto')
+
+Número de chances: 6
+Jogador 2, por favor, entre com uma letra da palavra secreta: s
+A letra 's' ocorre na palavra secreta: s _ _ s _ _ _ _ _ _ _ _ _
+---------
+
+Número de chances: 6
+Jogador 2, por favor, entre com uma letra da palavra secreta: u
+A letra 'u' não ocorre na palavra secreta: s _ _ s _ _ _ _ _ _ _ _ _
+---------
+
+Número de chances: 5
+Jogador 2, por favor, entre com uma letra da palavra secreta: e
+A letra 'e' não ocorre na palavra secreta: s e _ s _ _ _ _ _ e _ _ _
+---------
+
+...
+
+
+

Ao final, caso o número de tentativas tenha se esgotado, o programa deverá avisar:

+
Fim do jogo! Você não descobriu a palavra secreta: sensoriamento
+
+
+

Se o jogador 2 tiver acertado todas as letras, o programa deverá terminar com a seguinte saudação:

+
Parabéns! Você descobriu a palavra secreta: sensoriamento
+
+
+
+Solução:
import getpass
+
+def ocorre(letra, segredo):
+    return letra in segredo
+
+
+def ocultar(letras, palavra_secreta):
+    palavra_oculta = ''
+
+    for c in palavra_secreta:
+
+        if c in letras:
+            palavra_oculta = palavra_oculta + c
+        else:
+            palavra_oculta = palavra_oculta + '_'
+
+    return palavra_oculta
+
+
+palavra_secreta = getpass.getpass(prompt='Jogador 1, por favor, entre com uma palavra secreta: ')
+
+chances = 6
+
+letras_ja_digitadas = []
+
+texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta)
+
+while (chances > 0) and (texto_oculto != palavra_secreta):
+
+    print('Número de chances:', chances)
+
+    l = input('Jogador 2, adivinhe uma letra da palavra secreta: ')
+
+    if l in letras_ja_digitadas:
+        texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta)
+        print('A letra "{}" já foi digitada! {}'.format(l, texto_oculto))
+        chances = chances - 1
+    elif not ocorre(l, palavra_secreta):
+        letras_ja_digitadas.append(l)
+        texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta)
+        print('A letra "{}" não ocorre na palavra secreta! {}'.format(l, texto_oculto))
+        chances = chances - 1
+    else: # Caso a letra não tenha sido digitada previamente e faça parte da palavra secreta
+        letras_ja_digitadas.append(l)
+        texto_oculto = ocultar(letras_ja_digitadas, palavra_secreta)
+        print('A letra "{}" ocorre na palavra secreta! {}'.format(l, texto_oculto))
+
+    print('---------')
+    print()
+
+
+if chances > 0:
+    print('Parabéns! Você descobriu a palavra secreta:', palavra_secreta)
+else:
+    print('Fim do jogo! Você não descobriu a palavra secreta:', palavra_secreta)
+
+
+


diff --git a/listas/l01.html b/listas/l01.html index bcd8726..3bdd96f 100644 --- a/listas/l01.html +++ b/listas/l01.html @@ -333,7 +333,40 @@ Data Format.............: hdf -
+
+Solução:

nome_do_arquivo = input(‘Digite o nome do arquivo MODIS: ‘)

+

product = nome_do_arquivo[0:7]

+
+
if product[0:3] == “MOD”:

satellite = “Terra”

+
+
else:

satellite = “unknown”

+
+
+

year_of_acquisition = nome_do_arquivo[9:13]

+

julian_day = nome_do_arquivo[13:16]

+

horizontal_tile = nome_do_arquivo[18:20]

+

vertical_tile = nome_do_arquivo[21:23]

+

collection = nome_do_arquivo[24:27]

+

year_of_production = nome_do_arquivo[28:32]

+

julian_day_of_production = nome_do_arquivo[32:35]

+

production_hour = nome_do_arquivo[35:37]

+

production_minute = nome_do_arquivo[37:39]

+

production_second = nome_do_arquivo[39:41]

+

data_format = nome_do_arquivo[42:45]

+

print (‘Satellite……………:’, satellite)

+

print (‘Product……………..:’, product)

+

print (‘Year of Acquisition…..:’, year_of_acquisition) +print (‘Julian Day…………..:’, julian_day)

+

print (‘Horizontal Tile………:’, horizontal_tile) +print (‘Vertical Tile………..:’, vertical_tile)

+

print (‘Collection…………..:’, collection)

+

print (‘Year of Production……:’, year_of_production) +print (‘Julian Day of Production:’, julian_day_of_production)

+

print (‘Production Hour………:’, production_hour) +print (‘Production Minute…….:’, production_minute) +print (‘Production Second…….:’, production_second)

+

print (‘Data Format………….:’, data_format)

+

Exercício 13. Tomando como base os operadores disponíveis em Python documentation - String Methods, apresente as operações para converter os elementos da coluna string de entrada nos resultados apresentados na coluna string de saída.

diff --git a/searchindex.js b/searchindex.js index b5494cf..b8e882b 100644 --- a/searchindex.js +++ b/searchindex.js @@ -1 +1 @@ -Search.setIndex({"docnames": ["agradecimentos", "def", "imagens", "imagens/gdal", "imagens/numpy", "imagens/visualizacao", "index", "instalacao", "instalacao/anaconda", "instalacao/docker", "instalacao/jupyterlab", "instalacao/pycharm", "introducao-programacao/break-continue", "introducao-programacao/chamada-funcoes", "introducao-programacao/comandos-compostos", "introducao-programacao/comentarios", "introducao-programacao/consideracoes", "introducao-programacao/dicionarios", "introducao-programacao/escopo", "introducao-programacao/estruturas-condicionais", "introducao-programacao/estruturas-repeticao", "introducao-programacao/exemplos", "introducao-programacao/expressoes", "introducao-programacao/expressoes-logicas", "introducao-programacao/formatacao-strings", "introducao-programacao/funcoes", "introducao-programacao/index", "introducao-programacao/introducao", "introducao-programacao/keywords", "introducao-programacao/lacos-for", "introducao-programacao/op-relacionais", "introducao-programacao/primeiro-prog", "introducao-programacao/sequencias", "introducao-programacao/set", "introducao-programacao/strings", "introducao-programacao/tipo-logico", "introducao-programacao/tipos-dados", "introducao-programacao/tipos-numericos", "introducao-programacao/variaveis", "jupyter", "jupyter/comandos-sistema", "jupyter/funcoes-magicas", "jupyter/historico-comandos-resultados", "jupyter/introducao", "jupyter/ipython", "jupyter/notebooks", "licenca", "listas/index", "listas/l01", "projetos/2021/index", "projetos/2021/p01", "projetos/2021/p02", "projetos/2021/p03", "projetos/2021/p04", "projetos/2021/p05", "projetos/2021/p06", "projetos/2021/p07", "projetos/2021/p08", "projetos/2021/p09", "projetos/2021/p10", "projetos/2021/p11", "projetos/2022/index", "projetos/2022/p01-spectral", "projetos/2023/index", "projetos/2023/p01-registro", "projetos/2023/p02-desastres", "projetos/2023/p03-sol", "projetos/2023/p04-segmentacao", "projetos/2023/p05-nuvens", "referencias", "variados", "variados/git-github/git-comandos", "variados/git-github/git-definicao", "variados/git-github/github-definicao", "variados/git_github", "variados/terminal-python", "vetorial", "vetorial/geo-io", "vetorial/geojson", "vetorial/introducao", "vetorial/json", "vetorial/pandas", "vetorial/shapely", "vetorial/tipos-geometricos", "visao-geral", "visao-geral/bibliografia", "visao-geral/cronograma", "visao-geral/discentes", "visao-geral/docentes", "visao-geral/ferramentas", "visao-geral/organizacao-curso", "visao-geral/porque-programar"], "filenames": ["agradecimentos.rst", "def.rst", "imagens.rst", "imagens/gdal.rst", "imagens/numpy.rst", "imagens/visualizacao.rst", "index.rst", "instalacao.rst", "instalacao/anaconda.rst", "instalacao/docker.rst", "instalacao/jupyterlab.rst", "instalacao/pycharm.rst", "introducao-programacao/break-continue.rst", "introducao-programacao/chamada-funcoes.rst", "introducao-programacao/comandos-compostos.rst", "introducao-programacao/comentarios.rst", "introducao-programacao/consideracoes.rst", "introducao-programacao/dicionarios.rst", "introducao-programacao/escopo.rst", "introducao-programacao/estruturas-condicionais.rst", "introducao-programacao/estruturas-repeticao.rst", "introducao-programacao/exemplos.rst", "introducao-programacao/expressoes.rst", "introducao-programacao/expressoes-logicas.rst", "introducao-programacao/formatacao-strings.rst", "introducao-programacao/funcoes.rst", "introducao-programacao/index.rst", "introducao-programacao/introducao.rst", "introducao-programacao/keywords.rst", "introducao-programacao/lacos-for.rst", "introducao-programacao/op-relacionais.rst", "introducao-programacao/primeiro-prog.rst", "introducao-programacao/sequencias.rst", "introducao-programacao/set.rst", "introducao-programacao/strings.rst", "introducao-programacao/tipo-logico.rst", "introducao-programacao/tipos-dados.rst", "introducao-programacao/tipos-numericos.rst", "introducao-programacao/variaveis.rst", "jupyter.rst", "jupyter/comandos-sistema.rst", "jupyter/funcoes-magicas.rst", "jupyter/historico-comandos-resultados.rst", "jupyter/introducao.rst", "jupyter/ipython.rst", "jupyter/notebooks.rst", "licenca.rst", "listas/index.rst", "listas/l01.rst", "projetos/2021/index.rst", "projetos/2021/p01.rst", "projetos/2021/p02.rst", "projetos/2021/p03.rst", "projetos/2021/p04.rst", "projetos/2021/p05.rst", "projetos/2021/p06.rst", "projetos/2021/p07.rst", "projetos/2021/p08.rst", "projetos/2021/p09.rst", "projetos/2021/p10.rst", "projetos/2021/p11.rst", "projetos/2022/index.rst", "projetos/2022/p01-spectral.rst", "projetos/2023/index.rst", "projetos/2023/p01-registro.rst", "projetos/2023/p02-desastres.rst", "projetos/2023/p03-sol.rst", "projetos/2023/p04-segmentacao.rst", "projetos/2023/p05-nuvens.rst", "referencias.rst", "variados.rst", "variados/git-github/git-comandos.rst", "variados/git-github/git-definicao.rst", "variados/git-github/github-definicao.rst", "variados/git_github.rst", "variados/terminal-python.rst", "vetorial.rst", "vetorial/geo-io.rst", "vetorial/geojson.rst", "vetorial/introducao.rst", "vetorial/json.rst", "vetorial/pandas.rst", "vetorial/shapely.rst", "vetorial/tipos-geometricos.rst", "visao-geral.rst", "visao-geral/bibliografia.rst", "visao-geral/cronograma.rst", "visao-geral/discentes.rst", "visao-geral/docentes.rst", "visao-geral/ferramentas.rst", "visao-geral/organizacao-curso.rst", "visao-geral/porque-programar.rst"], "titles": ["Agradecimentos", "<no title>", "4. Imagens - Processamento e Visualiza\u00e7\u00e3o", "4.1. GDAL - Geospatial Data Abstraction Library", "4.2. NumPy", "4.3. Visualiza\u00e7\u00e3o de Imagens", "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com Dados Geoespaciais", "1. Instalando e Configurando o Ambiente de Programa\u00e7\u00e3o", "1.1. Anaconda", "1.3. Docker", "1.4. Instala\u00e7\u00e3o do JupyterLab atrav\u00e9s do Docker", "1.2. PyCharm", "2.21. Os Comandos break e continue", "2.6. Chamada de Fun\u00e7\u00f5es", "2.22. Comandos Compostos", "2.8. Coment\u00e1rios", "2.25. Considera\u00e7\u00f5es Finais", "2.17. Dicion\u00e1rios", "2.24. Escopo de Vari\u00e1veis", "2.12. Estruturas Condicionais", "2.13. Estruturas de Repeti\u00e7\u00e3o", "2.26. Exemplos", "2.5. Express\u00f5es", "2.11. Express\u00f5es L\u00f3gicas", "2.19. Formata\u00e7\u00e3o de Strings", "2.23. Fun\u00e7\u00f5es", "2. Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com a Linguagem Python", "2.1. Introdu\u00e7\u00e3o", "2.15. Palavras-chave", "2.20. La\u00e7os do tipo for", "2.10. Operadores Relacionais", "2.2. Primeiro Programa em Python", "2.16. Sequ\u00eancias", "2.18. Conjuntos", "2.14. O Tipo String", "2.9. Tipo L\u00f3gico", "2.3. Tipos de Dados", "2.4. Tipos Num\u00e9ricos", "2.7. Vari\u00e1veis", "3. Jupyter", "3.5. Comandos do Sistema", "3.4. Fun\u00e7\u00f5es M\u00e1gicas", "3.6. Hist\u00f3rico dos Comandos e Resultados", "3.1. Introdu\u00e7\u00e3o", "3.2. IPython", "3.3. Notebooks", "Licen\u00e7a", "Listas de Exerc\u00edcios", "Lista de Exerc\u00edcios 01", "Turma 2021", "1. Brazil Data Cube Cloud Coverage (BDC3)", "2. Spectral", "3. Amostragem com Base no Servi\u00e7o WLTS", "4. API - EO Data Cube", "5. Extens\u00e3o da Biblioteca stac.py", "6. Detec\u00e7\u00e3o de mudan\u00e7as em imagens", "7. Programa\u00e7\u00e3o para resposta a desastres", "8. Contraste de imagens", "9. An\u00e1lise de s\u00e9ries temporais GOES", "10. Data Augmentation para Sensoriamento Remoto", "11. S\u00e9ries temporais na detec\u00e7\u00e3o de deslizamentos", "Turma 2022", "Spectral", "Turma 2023", "Registro autom\u00e1tico para CBERS-4", "Combina\u00e7\u00e3o de dados sobre desastres", "Imagem de incid\u00eancia solar", "Par\u00e2metros \u00f3timos para segmenta\u00e7\u00e3o", "M\u00e1scara de nuvens para imagens AMAZONIA e CBERS", "Refer\u00eancias Bibliogr\u00e1ficas", "6. T\u00f3picos Variados", "6.1.3. Trabalhando com o git e o GitHub", "6.1.1. O que \u00e9 o git?", "6.1.2. O que \u00e9 o GitHub?", "6.1. git e GitHub", "6.2. Terminal Interativo Python", "5. Manipula\u00e7\u00e3o de Dados Vetoriais", "5.6. Leitura/Escrita de Dados Vetoriais", "5.5. Documentos GeoJSON", "5.1. Introdu\u00e7\u00e3o", "5.4. Documentos JSON", "5.7. Pandas", "5.3. Tipos Geom\u00e9tricos em Python", "5.2. Tipos Geom\u00e9tricos", "Vis\u00e3o Geral do Curso", "Bibliografia", "Cronograma de Aulas", "Discentes", "Docentes", "Ferramentas", "Organiza\u00e7\u00e3o do Curso", "Por que aprender a programar?"], "terms": {"noss": [0, 5, 13, 19, 25, 27, 28, 31, 71, 73, 80, 81, 91], "alun": [0, 6, 90], "gentil": 0, "envi": [0, 48, 90], "corre\u00e7\u00f5": 0, "sugest\u00f5": 0, "par": [0, 2, 3, 4, 6, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 29, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 45, 48, 49, 50, 51, 52, 53, 54, 55, 57, 60, 62, 63, 65, 66, 71, 72, 75, 77, 78, 79, 80, 82, 83, 88, 89, 91], "aperfei\u00e7o": [0, 91], "dess": [0, 3, 4, 12, 16, 18, 19, 20, 21, 22, 24, 25, 27, 30, 31, 32, 34, 43, 44, 45, 50, 51, 52, 53, 54, 57, 62, 64, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 89, 91], "material": [0, 46, 89, 90], "allan": 0, "henriqu": 0, "lim": 0, "freir": 0, "andre": 0, "dall": 0, "bernardin": 0, "garc": [0, 69], "cleverton": 0, "santan": 0, "jo\u00e3": 0, "felip": [0, 69], "sant": [0, 68], "r\u00f4mul": 0, "marqu": 0, "carvalh": 0, "facilit": [2, 11, 83, 90, 91], "entend": [2, 27, 77], "sobr": [2, 3, 5, 7, 8, 16, 17, 18, 20, 21, 24, 31, 32, 33, 34, 35, 36, 41, 44, 50, 52, 57, 62, 63, 66, 71, 73, 77, 80, 81, 83, 89, 91], "propriedad": [2, 3, 4, 5, 77, 81, 82], "imag": [2, 3, 4, 5, 9, 10, 34, 46, 55, 57, 59, 63, 64, 67, 68, 69, 79, 83, 91], "vam": [2, 3, 4, 5, 12, 15, 17, 19, 20, 21, 24, 25, 27, 29, 31, 32, 38, 41, 45, 71, 73, 77, 80, 81, 83], "ver": [2, 9, 10, 24, 71, 73, 80, 81, 89], "maneir": [2, 5, 6, 12, 16, 17, 18, 21, 25, 27, 32, 37, 43, 45, 72, 73, 77, 80, 81, 83, 91], "simpl": [2, 18, 21, 25, 27, 34, 42, 55, 68, 69, 73, 75, 80, 83, 90], "sensori": [2, 3, 13, 23, 36, 48, 49, 50, 56, 57, 60, 62, 68, 69, 88], "remot": [2, 3, 13, 23, 36, 48, 49, 50, 56, 57, 60, 62, 68, 69, 80, 88, 90], "\u00f3ptic": [2, 50], "s\u00e3": [2, 3, 4, 12, 14, 15, 16, 17, 18, 20, 22, 23, 24, 25, 26, 27, 29, 30, 32, 33, 34, 35, 36, 37, 39, 40, 41, 43, 44, 59, 68, 69, 72, 73, 78, 79, 80, 81, 88, 89, 91], "ger": [2, 3, 4, 8, 18, 21, 24, 25, 27, 32, 34, 44, 59, 68, 81, 83, 90], "Uma": [2, 3, 4, 5, 10, 11, 17, 21, 22, 24, 25, 26, 27, 32, 34, 38, 41, 43, 45, 48, 59, 71, 72, 77, 80, 81, 82, 83, 89], "comument": [2, 5, 20], "cham": [2, 4, 5, 14, 16, 18, 19, 20, 24, 26, 27, 31, 32, 33, 34, 35, 36, 38, 39, 41, 42, 43, 48, 53, 62, 67, 71, 72, 73, 77, 79, 80, 81, 83, 89], "rast": [2, 79], "pod": [2, 3, 4, 5, 8, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 28, 29, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 51, 56, 57, 58, 60, 62, 64, 65, 66, 67, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 89, 90, 91], "ser": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 24, 25, 27, 28, 31, 32, 33, 34, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 67, 68, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 89, 90, 91], "armazen": [2, 3, 5, 21, 27, 38, 67, 72, 77, 79, 81], "diferent": [2, 3, 25, 27, 30, 32, 34, 43, 44, 59, 72, 80, 81, 83, 88, 89, 91], "form": [2, 3, 4, 5, 12, 13, 16, 17, 18, 21, 25, 26, 27, 31, 32, 33, 34, 38, 42, 43, 46, 48, 51, 62, 65, 66, 68, 72, 73, 75, 77, 79, 80, 81, 82, 83, 89, 90, 91], "del": [2, 17, 25, 28, 32, 48, 58, 59, 77, 90, 91], "\u00e9": [2, 3, 4, 5, 6, 8, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 43, 44, 45, 48, 52, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 74, 75, 77, 78, 79, 80, 81, 82, 83, 88, 89, 91], "atrav\u00e9s": [2, 3, 5, 6, 7, 8, 9, 16, 17, 18, 20, 22, 25, 27, 32, 33, 35, 36, 39, 40, 41, 42, 43, 44, 45, 48, 54, 56, 71, 73, 75, 77, 80, 81, 82, 83, 90, 91], "individual": [2, 5, 46, 81, 90], "independent": [2, 3, 12, 20, 46, 72], "cad": [2, 3, 4, 5, 6, 16, 18, 20, 21, 22, 23, 24, 25, 27, 32, 36, 37, 38, 42, 48, 55, 58, 59, 62, 65, 71, 77, 79, 80, 81, 82, 83, 91], "band": [2, 4, 5, 21, 26, 31, 48, 51, 58, 62, 64, 66, 68, 90], "nest": [2, 3, 4, 5, 18, 19, 21, 25, 27, 31, 51, 71, 73, 77, 80, 82, 83, 89, 91], "cas": [2, 3, 5, 10, 16, 17, 18, 19, 21, 22, 24, 25, 27, 31, 32, 34, 35, 36, 37, 40, 41, 46, 48, 52, 57, 72, 77, 79, 81, 82, 83, 90], "arquiv": [2, 5, 8, 11, 16, 21, 27, 40, 41, 48, 51, 62, 65, 72, 73, 79, 90], "possu": [2, 3, 14, 16, 18, 22, 24, 25, 27, 31, 32, 34, 35, 36, 37, 38, 41, 43, 44, 45, 48, 57, 58, 62, 64, 71, 73, 77, 79, 80, 81, 82, 83, 88, 89], "metad": [2, 3, 50, 77, 91], "Os": [2, 3, 9, 14, 16, 17, 18, 21, 25, 26, 28, 30, 31, 32, 34, 35, 36, 38, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 72, 73, 80, 81, 82, 83, 89, 90, 91], "inclu": [2, 4, 9, 13, 16, 17, 18, 19, 21, 32, 39, 41, 43, 44, 48, 52, 62, 71, 73, 77, 81, 83, 88, 89], "inform": [2, 3, 5, 16, 17, 18, 19, 21, 23, 24, 25, 29, 31, 32, 34, 36, 41, 44, 48, 51, 52, 55, 56, 60, 62, 64, 65, 66, 71, 73, 77, 80, 81, 82, 89], "sistem": [2, 8, 9, 11, 27, 36, 38, 39, 41, 42, 43, 44, 48, 59, 68, 71, 72, 73, 77, 79, 83, 89, 90, 91], "coorden": [2, 3, 21, 27, 32, 48, 77, 79, 82, 83, 88], "geoespacial": [2, 34, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 78, 88, 90, 91], "limit": [2, 4, 24, 32, 34, 46, 50, 77, 79, 83], "geogr\u00e1f": [2, 3, 26, 62, 77, 78, 83, 88, 90], "dimens\u00f5": [2, 4, 5, 81], "tip": [2, 3, 4, 5, 12, 14, 16, 17, 18, 21, 22, 25, 26, 27, 30, 31, 32, 33, 38, 39, 40, 41, 43, 45, 48, 51, 56, 62, 72, 76, 77, 78, 79, 80, 81, 89, 90, 91], "dad": [2, 5, 12, 14, 15, 16, 17, 21, 24, 26, 27, 31, 32, 33, 34, 37, 38, 43, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 63, 67, 71, 73, 79, 80, 84, 88, 90, 91], "assoc": [2, 3, 4, 5, 10, 17, 18, 19, 20, 25, 27, 29, 31, 32, 34, 36, 38, 40, 42, 44, 52, 71, 73, 77, 79, 80, 81, 83], "pixels": [2, 3, 5, 21, 57, 58, 59, 64, 65, 68, 79], "vej": [2, 3, 4, 5, 12, 20, 24, 25, 32, 71, 77, 81, 90], "exempl": [2, 4, 5, 11, 12, 13, 14, 16, 25, 26, 30, 33, 34, 35, 36, 37, 40, 41, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 64, 66, 67, 71, 73, 77, 79, 80, 81, 91], "cbers": [2, 34, 36, 48, 52, 55, 63, 65, 66, 79], "04a": 2, "figur": [2, 3, 5, 10, 11, 16, 19, 20, 21, 25, 26, 27, 31, 32, 34, 38, 41, 43, 44, 45, 48, 50, 71, 73, 75, 77, 78, 79, 81, 82, 83, 89, 91], "4": [2, 3, 4, 5, 9, 11, 16, 17, 18, 19, 20, 21, 22, 23, 25, 27, 30, 31, 32, 33, 34, 36, 37, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 63, 66, 68, 69, 71, 73, 77, 79, 80, 81, 82, 83, 91], "1": [2, 3, 4, 5, 8, 9, 10, 11, 12, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 27, 30, 31, 32, 33, 36, 37, 40, 41, 42, 43, 44, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 73, 77, 78, 79, 80, 81, 82, 83, 91], "cbers_4a_wpm_20200612_200_139_l4_band1": 2, "tif": [2, 3, 5, 34, 51, 62], "azul": [2, 5, 83, 89], "cbers_4a_wpm_20200612_200_139_l4_band2": 2, "2": [2, 3, 4, 5, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 73, 77, 78, 79, 81, 82, 83, 88, 89, 91], "verd": [2, 5, 20, 48, 83], "cbers_4a_wpm_20200612_200_139_l4_band3": 2, "3": [2, 3, 4, 5, 8, 9, 10, 11, 13, 15, 16, 17, 18, 19, 20, 21, 22, 25, 27, 31, 32, 33, 34, 36, 37, 38, 40, 41, 42, 43, 44, 45, 46, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 67, 68, 69, 71, 73, 77, 78, 81, 82, 83, 89, 91], "vermelh": [2, 5, 25, 31, 48, 83, 89], "Um": [2, 3, 4, 16, 20, 24, 25, 26, 27, 33, 34, 36, 37, 38, 44, 56, 60, 73, 75, 77, 78, 79, 80, 81, 82, 83, 91], "outr": [2, 3, 4, 9, 13, 14, 16, 17, 18, 20, 22, 24, 25, 27, 31, 32, 36, 39, 40, 43, 50, 52, 57, 59, 72, 73, 75, 79, 81, 83, 88, 89, 90, 91], "cons": [2, 3, 25, 26, 27, 48, 57, 77, 83], "divers": [2, 3, 4, 5, 13, 14, 16, 17, 19, 25, 27, 32, 34, 43, 51, 54, 57, 72, 73, 77, 79, 81, 89, 90, 91], "mesm": [2, 3, 4, 18, 24, 25, 27, 33, 34, 39, 43, 55, 64, 72, 77, 81, 82, 83, 89, 91], "conjunt": [2, 13, 16, 17, 19, 20, 25, 26, 27, 31, 32, 36, 37, 41, 52, 55, 59, 60, 64, 67, 68, 77, 79, 80, 81, 91], "val": [2, 21, 27], "tod": [2, 3, 4, 5, 12, 14, 16, 17, 18, 20, 21, 25, 27, 32, 34, 36, 41, 42, 45, 48, 57, 58, 71, 77, 79, 80, 83, 89, 90, 91], "Por": [2, 3, 13, 16, 18, 22, 24, 25, 27, 34, 36, 45, 48, 51, 62, 64, 71, 72, 73, 77, 79, 81, 83, 84], "poss\u00edvel": [2, 3, 4, 10, 14, 16, 17, 18, 20, 24, 34, 36, 40, 41, 43, 48, 57, 58, 60, 64, 65, 67, 77, 79, 81, 82, 83, 90], "cont": [2, 3, 4, 5, 14, 16, 18, 19, 21, 24, 25, 27, 31, 32, 39, 41, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 72, 77, 79, 80, 81, 83, 89], "\u00fanic": [2, 3, 14, 16, 17, 19, 24, 25, 31, 32, 34, 35, 45, 48, 77, 81, 83], "geotiff": [2, 3, 62, 67, 90], "cbers_4a_wpm_20200612_200_139_l4_bands1234": 2, "m\u00faltipl": [2, 23, 32, 34, 81], "A": [2, 3, 4, 5, 10, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 30, 31, 32, 33, 34, 36, 38, 41, 42, 43, 44, 45, 46, 48, 51, 54, 57, 58, 66, 67, 69, 71, 72, 73, 75, 78, 79, 80, 81, 82, 85, 89, 90, 91], "cor": [2, 5, 27, 36, 62, 81, 89], "apen": [2, 3, 8, 13, 15, 16, 18, 19, 20, 21, 25, 34, 35, 45, 48, 77, 81, 83, 90], "ilustr": [2, 12, 18, 19, 21, 25, 41, 79, 80, 83], "ter": [2, 4, 13, 17, 25, 27, 32, 34, 38, 43, 44, 71, 73, 77, 80, 83, 89], "qualqu": [2, 3, 15, 17, 18, 19, 21, 23, 25, 32, 34, 38, 48, 66, 71, 77, 81, 83, 90], "n\u00famer": [2, 4, 5, 12, 16, 17, 20, 21, 23, 24, 27, 32, 34, 36, 37, 48, 52, 77, 79, 80, 81, 82, 83, 90], "desd": [2, 38, 41, 73, 88, 89, 91], "suport": [2, 3, 27, 43, 44, 56, 62, 77, 78, 80, 82, 83, 91], "pel": [2, 3, 4, 5, 11, 12, 17, 18, 19, 20, 21, 23, 24, 25, 27, 29, 31, 32, 33, 34, 35, 37, 38, 39, 40, 41, 43, 45, 48, 52, 55, 56, 59, 62, 65, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 91], "format": [2, 3, 5, 21, 25, 26, 27, 29, 32, 43, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 72, 77, 78, 79, 80, 81, 90, 91], "gdal": [2, 5, 69, 90], "g": [2, 3, 5, 27, 32, 34, 68, 69, 82, 83], "eospatial": [2, 3], "d": [2, 3, 8, 17, 24, 25, 32, 34, 40, 48, 68, 69, 81, 83], "ata": [2, 3], "bstraction": [2, 3], "l": [2, 3, 21, 25, 40, 44, 48, 68, 69, 83], "ibrary": [2, 3], "numpy": [2, 3, 5, 62, 81, 90], "softwar": [3, 9, 27, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 72, 73, 89, 90], "livr": [3, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 68, 73, 89, 90, 91], "fornec": [3, 4, 12, 16, 24, 25, 27, 33, 39, 42, 43, 50, 52, 53, 54, 56, 62, 77, 81, 82, 89, 90, 91], "cam": [3, 65, 77, 90], "abstra\u00e7\u00e3": [3, 16, 25, 53, 90], "geoespac": [3, 24, 32, 34, 77, 79, 83, 84, 88, 90, 91], "possibilit": [3, 18, 27, 40, 41, 48, 51, 53, 62, 72, 77, 78, 80, 81, 83], "desenvolv": [3, 16, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 72, 73, 88, 89, 90, 91], "aplic": [3, 4, 5, 8, 13, 22, 25, 34, 40, 43, 44, 50, 55, 57, 59, 60, 62, 64, 72, 78, 80, 81, 83, 88, 89, 90, 91], "manipul": [3, 4, 6, 16, 27, 36, 38, 77, 79, 80, 90], "api": [3, 48, 49, 54, 69, 77, 80], "application": [3, 80, 85], "programming": [3, 69, 85], "interfac": [3, 62, 73, 89, 91], "program": [3, 9, 11, 12, 13, 14, 15, 16, 18, 19, 20, 21, 22, 23, 24, 25, 28, 32, 34, 36, 38, 48, 49, 71, 72, 75, 77, 80, 84, 88, 89, 90], "dest": [3, 4, 5, 20, 21, 27, 45, 60, 62, 66, 67, 68, 71, 73, 77, 80, 81, 83, 89], "encontr": [3, 10, 16, 17, 18, 20, 21, 24, 25, 27, 28, 31, 32, 33, 34, 36, 44, 45, 48, 55, 59, 65, 67, 71, 73, 77, 78, 79, 80, 81, 83, 89, 90, 91], "dispon": [3, 8, 27, 32, 44, 62, 68, 77, 89], "uso": [3, 5, 12, 15, 19, 20, 24, 25, 27, 32, 34, 40, 41, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 73, 77, 81, 83, 88, 89, 90, 91], "python": [3, 4, 6, 13, 14, 15, 16, 18, 19, 20, 21, 24, 25, 33, 34, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 69, 70, 71, 73, 76, 77, 80, 83, 85, 91], "binding": 3, "wrapp": 3, "acess": [3, 5, 10, 16, 17, 18, 32, 34, 42, 43, 44, 52, 69, 73, 75, 78, 80, 82], "funcional": [3, 4, 10, 13, 16, 25, 27, 32, 50, 51, 53, 54, 62, 77, 81, 89], "implement": [3, 16, 20, 25, 27, 41, 50], "c": [3, 4, 8, 16, 20, 21, 24, 27, 29, 32, 34, 68, 69, 71, 80, 81, 82, 83, 90], "basic": [3, 18, 69], "compost": [3, 16, 26, 83], "quatr": [3, 14, 23, 25], "apis": [3, 77, 80], "volt": [3, 6, 20, 25, 71, 72, 77, 79, 90], "matric": [3, 50, 52, 79, 90], "capac": [3, 27, 43, 44, 81, 89], "escrit": [3, 13, 18, 21, 26, 27, 34, 75, 76, 83, 89], "hdf": [3, 48], "jpeg": 3, "Esta": [3, 20, 25, 27, 32, 50, 51, 62, 73, 77, 89], "part": [3, 4, 5, 9, 10, 13, 15, 16, 18, 19, 21, 24, 25, 27, 31, 32, 34, 36, 37, 41, 43, 46, 48, 50, 52, 60, 62, 66, 67, 68, 69, 71, 73, 77, 81, 82, 90, 91], "cont\u00e9m": [3, 5, 14, 19, 20, 22, 27, 31, 32, 34, 36, 41, 51, 54, 62, 71, 77, 80, 81, 82, 83, 91], "objet": [3, 4, 5, 16, 17, 18, 20, 24, 25, 27, 32, 34, 36, 40, 43, 44, 48, 62, 64, 66, 67, 68, 71, 77, 78, 80, 81, 82, 84], "bloc": [3, 14, 16, 19, 20, 25, 27, 41, 77, 83], "espectr": [3, 4, 5, 27, 48, 51, 53, 56, 62], "pir\u00e2mid": 3, "mult": [3, 69], "resolu": [3, 58, 59, 79], "ogr": [3, 69, 90], "vetori": [3, 5, 6, 50, 52, 65, 79, 90], "tais": [3, 24, 25, 27, 79, 81, 83], "esri": [3, 77, 79, 90], "shapefil": [3, 67, 69, 77, 79, 90], "googl": [3, 31, 39, 69, 80], "kml": [3, 67, 79, 90], "geojson": [3, 10, 69, 76, 79, 90], "apresent": [3, 5, 6, 7, 8, 10, 12, 15, 20, 21, 24, 25, 26, 27, 30, 31, 32, 36, 39, 41, 43, 44, 45, 48, 50, 51, 53, 54, 55, 58, 62, 67, 71, 73, 77, 78, 79, 80, 81, 82, 83, 84, 86, 89, 90, 91], "conceit": [3, 6, 15, 18, 26, 27, 31, 38, 39, 71, 83, 90], "fei\u00e7\u00f5": [3, 77, 78, 83], "atribut": [3, 34, 43, 44, 60, 77, 79, 81, 82, 83], "alfanum\u00e9r": [3, 77, 79], "geom\u00e9tr": [3, 76, 77, 78], "osr": 3, "proje\u00e7\u00f5": 3, "gnm": 3, "acr\u00f4nim": [3, 27], "geographic": [3, 69, 85], "network": 3, "model": [3, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 73, 77, 79, 82], "serv": [3, 10, 15, 39, 79, 90, 91], "prop\u00f3sit": [3, 15, 16, 60, 72, 81, 90], "red": [3, 5, 15, 21, 26, 27, 31, 48, 51, 62, 64], "As": [3, 4, 12, 16, 19, 24, 25, 26, 27, 32, 35, 41, 43, 44, 45, 56, 77, 79, 80, 81, 82, 83, 89, 90], "utiliz": [3, 4, 5, 12, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 27, 31, 32, 33, 34, 37, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 67, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 89, 90, 91], "abstrat": 3, "al\u00e9m": [3, 13, 17, 19, 22, 25, 27, 33, 38, 40, 43, 44, 64, 73, 79, 81, 82, 83, 91], "diss": [3, 17, 18, 25, 27, 38, 40, 44, 73, 79, 81, 82, 83, 91], "variedad": 3, "utilit\u00e1ri": 3, "comando": [3, 4, 8, 9, 10, 11, 12, 14, 16, 18, 19, 20, 21, 25, 31, 34, 38, 40, 41, 43, 44, 48, 51, 71, 75, 77, 81], "tradu\u00e7\u00e3": 3, "alguns": [3, 10, 14, 27, 41, 44, 68, 71, 73, 79, 83, 91], "b\u00e1sic": [3, 13, 16, 17, 20, 27, 32, 33, 36, 48, 73, 77, 81, 83, 90, 91], "process": [3, 4, 6, 8, 16, 25, 27, 34, 43, 46, 50, 52, 53, 56, 73, 80, 88, 89, 90, 91], "imagens": [3, 4, 6, 23, 49, 50, 51, 56, 58, 59, 60, 62, 63, 64, 65, 66, 67, 72, 79, 83, 88, 90, 91], "valor": [3, 4, 5, 8, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 27, 29, 30, 31, 32, 34, 35, 36, 37, 38, 40, 41, 48, 50, 52, 57, 58, 62, 66, 68, 77, 79, 80, 82, 83, 89], "mei": [3, 8, 27, 60, 64], "matriz": [3, 5, 62, 81, 82], "permit": [3, 4, 5, 14, 16, 17, 19, 21, 23, 25, 26, 27, 30, 32, 33, 34, 39, 41, 43, 48, 52, 62, 71, 73, 78, 80, 81, 83, 89, 91], "dev": [3, 4, 5, 8, 10, 14, 16, 17, 21, 22, 24, 25, 26, 31, 34, 40, 41, 43, 44, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 73, 75, 77, 80, 82, 83, 89, 90], "osge": [3, 5, 77], "from": [3, 5, 26, 28, 46, 48, 68, 69, 77, 82], "boa": [3, 25, 77, 89], "pr\u00e1tic": [3, 6, 16, 25, 32, 48, 77, 90, 91], "ativ": [3, 6, 18, 26, 27, 41, 43, 58, 73, 77, 82, 88, 89, 90, 91], "exce\u00e7\u00f5": [3, 5, 14, 27], "oper": [3, 5, 13, 16, 17, 21, 22, 26, 31, 33, 36, 48, 53, 57, 58, 66, 69, 71, 77, 79, 80, 81, 90], "useexceptions": [3, 5], "sab": [3, 4, 17, 20, 23, 24, 32, 33, 34, 36, 78, 80, 81, 83], "vers\u00e3": [3, 4, 8, 10, 11, 16, 25, 27, 71, 72, 77, 82, 89], "instal": [3, 6, 8, 9, 11, 43, 44, 81, 89], "ambient": [3, 6, 8, 18, 26, 39, 40, 41, 42, 43, 44, 45, 62, 69, 72, 77, 81, 82, 83, 88, 89, 90], "trabalh": [3, 27, 39, 43, 50, 59, 64, 65, 66, 67, 68, 73, 74, 77, 79, 80, 81, 86, 88, 89, 90, 91], "use": [3, 9, 17, 34, 43, 46, 48, 69, 71], "seguint": [3, 4, 8, 9, 10, 16, 18, 20, 21, 22, 25, 27, 28, 29, 31, 32, 36, 37, 38, 41, 42, 43, 48, 52, 71, 73, 77, 78, 79, 80, 81, 82, 83, 91], "__version__": [3, 4, 77, 82], "Em": [3, 4, 5, 10, 12, 14, 15, 16, 18, 19, 20, 24, 25, 31, 34, 36, 37, 38, 57, 59, 71, 77, 82, 83, 90], "jupyt": [3, 6, 10, 18, 31, 40, 41, 42, 43, 62, 69, 81, 82, 89, 90, 91], "notebook": [3, 10, 31, 41, 43, 45, 69, 82, 91], "voc": [3, 8, 10, 16, 17, 18, 24, 25, 27, 34, 41, 43, 44, 48, 71, 73, 80, 81, 82, 89], "confer": 3, "vers\u00f5": [3, 9, 10, 16, 25, 72, 77], "dem": [3, 25, 41, 81, 83, 88], "ferrament": [3, 5, 6, 26, 43, 51, 57, 62, 67, 68, 72, 73, 84, 91], "print": [3, 4, 5, 12, 13, 15, 17, 18, 19, 20, 21, 23, 25, 29, 31, 32, 33, 34, 35, 36, 38, 40, 41, 44, 77, 80, 81, 82, 83], "version": [3, 46, 48, 72, 73, 77, 80, 91], "dentr": [3, 4, 12, 18, 19, 20, 21, 24, 25, 32, 34, 40, 48, 65, 77], "recurs": [3, 14, 21, 27, 41, 42, 43, 44, 53, 77, 89], "aut": [3, 25, 43, 44, 89], "complet": [3, 13, 20, 32, 34, 36, 41, 43, 44, 62, 71, 72, 77, 81, 89, 91], "ap\u00f3s": [3, 9, 12, 18, 25, 31, 34, 38, 41, 44, 67, 73, 77, 80], "membr": [3, 25, 34], "ir\u00e1": [3, 6, 8, 12, 13, 18, 25, 27, 34, 43, 45, 71, 73, 77, 83, 89], "list": [3, 8, 9, 13, 16, 17, 18, 20, 21, 25, 27, 31, 34, 36, 41, 44, 45, 51, 62, 69, 71, 77, 80, 81, 90], "dispon\u00edv": [3, 4, 5, 8, 13, 16, 27, 34, 37, 44, 48, 50, 51, 52, 53, 54, 62, 68, 81, 89, 90], "Tamb\u00e9m": [3, 17, 22, 24, 33, 40, 53, 73, 81, 88], "obter": [3, 5, 21, 27, 35, 41, 48, 58, 71, 72, 73, 77, 81], "ajud": [3, 12, 27, 41, 44, 50, 51, 53, 54, 62, 71, 89, 90, 91], "fun\u00e7\u00f5": [3, 4, 15, 16, 18, 21, 26, 27, 34, 39, 48, 57, 80, 81, 90], "caracter": [3, 17, 34, 40, 41, 44, 80], "log": [3, 13, 25, 31, 46, 73, 77, 81, 83], "nom": [3, 4, 13, 16, 17, 18, 24, 27, 29, 30, 31, 32, 33, 34, 36, 37, 40, 41, 42, 45, 48, 51, 62, 71, 73, 77, 79, 80, 81, 82, 89], "desej": [3, 8, 11, 25, 31, 34, 36, 44, 51, 59, 71, 77, 81, 82, 83, 89, 90], "consult": [3, 8, 9, 13, 16, 17, 20, 21, 29, 31, 32, 33, 34, 36, 41, 52, 62, 71, 77, 80, 81, 83, 89], "mostr": [3, 8, 10, 11, 15, 16, 19, 20, 21, 25, 26, 27, 31, 32, 34, 38, 41, 42, 43, 44, 45, 48, 51, 62, 71, 73, 75, 77, 79, 80, 81, 82, 83, 89, 91], "abaix": [3, 8, 9, 10, 12, 16, 18, 21, 25, 31, 32, 34, 40, 43, 71, 77, 80, 81, 82, 83, 89, 91], "fun\u00e7\u00e3": [3, 4, 5, 13, 14, 16, 17, 18, 21, 22, 23, 31, 32, 34, 35, 36, 41, 44, 48, 71, 77, 80, 81, 83], "open": [3, 5, 8, 10, 21, 56, 65, 69, 77, 80], "abrir": [3, 5, 34, 75, 77, 81], "exig": [3, 6, 25, 91], "dois": [3, 10, 17, 18, 20, 21, 22, 24, 25, 27, 30, 32, 33, 34, 35, 36, 41, 48, 52, 77, 81, 82, 83, 91], "par\u00e2metr": [3, 5, 16, 18, 24, 27, 31, 34, 52, 63, 81], "caminh": [3, 16, 48, 77], "constant": [3, 4, 5, 36, 38, 44, 57], "indic": [3, 4, 16, 18, 25, 27, 31, 34, 43, 56, 58, 62, 64, 67, 69, 71, 73, 77, 79, 81, 83], "usad": [3, 4, 7, 10, 12, 16, 17, 18, 24, 25, 27, 28, 32, 33, 34, 35, 38, 41, 43, 44, 48, 71, 77, 79, 80, 81, 83, 89, 91], "ga_readonly": [3, 5], "ga_updat": 3, "fac": [3, 8, 9, 21, 27, 32, 41, 48, 77, 90], "download": [3, 8, 9, 41, 48, 77], "test": [3, 8, 9, 12, 17, 19, 21, 24, 30, 33, 35, 53, 62, 64, 66, 67, 68, 83], "faz": [3, 4, 5, 8, 12, 15, 18, 19, 20, 21, 24, 25, 29, 32, 34, 40, 52, 73, 77, 81, 83, 90], "crop_rapidey": [3, 5], "repar": [3, 4, 17, 20, 25, 31, 32, 33, 34, 36, 44, 48, 71, 73, 79, 80, 81, 83], "retorn": [3, 5, 13, 16, 24, 25, 31, 32, 34, 36, 40, 41, 81, 83], "type": [3, 4, 13, 22, 25, 32, 33, 35, 36, 48, 71, 77, 78, 80, 81], "sa\u00edd": [3, 10, 18, 24, 25, 31, 40, 42, 48, 57, 62, 71, 77, 81], "conhec": [3, 5, 6, 16, 26, 27, 31, 32, 35, 43, 57, 62, 68, 72, 77, 80, 83, 90, 91], "crs": [3, 77], "m\u00e9tod": [3, 16, 17, 27, 29, 32, 39, 43, 44, 62, 67, 68, 77, 81, 83, 91], "getprojectionref": 3, "descri\u00e7\u00e3": [3, 13, 24, 32, 34, 36, 41, 44, 71, 73, 77], "wkt": [3, 77], "well": [3, 46], "known": [3, 46], "text": [3, 16, 21, 24, 25, 31, 33, 36, 43, 45, 46, 48, 71, 79, 80, 89, 91], "O": [3, 4, 5, 6, 8, 12, 13, 15, 16, 17, 18, 19, 20, 21, 23, 24, 25, 26, 27, 31, 32, 33, 35, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 52, 56, 57, 58, 60, 62, 64, 65, 66, 67, 68, 71, 74, 77, 78, 79, 80, 81, 82, 83, 85, 89, 90, 91], "textual": [3, 33, 72], "padroniz": [3, 27, 83], "ogc": [3, 77, 79], "consortium": [3, 69], "represent": [3, 16, 17, 20, 21, 24, 25, 27, 31, 32, 33, 34, 35, 37, 38, 62, 68, 77, 78, 80, 81, 82, 83], "recuper": [3, 26, 34, 40, 50, 52, 72, 77, 80, 81], "usa": [3, 69], "spatial": [3, 69], "referenc": [3, 17, 18, 69, 80], "system": [3, 41, 69], "srs": 3, "coordinat": [3, 24, 78], "local": [3, 10, 11, 18, 40, 73], "regional": 3, "global": [3, 18, 28], "localiz": [3, 11, 17, 21, 26, 34, 41, 52, 58, 62, 71, 73, 75, 77, 79, 83], "maior": [3, 5, 8, 12, 13, 16, 19, 21, 25, 27, 30, 32, 43, 48, 64, 71, 77, 81, 83, 89, 91], "interoper": 3, "facil": [3, 4, 25, 43, 80, 89, 91], "v\u00e1ri": [3, 22, 24, 25, 50, 78, 80, 91], "inteir": [3, 4, 13, 17, 21, 24, 25, 27, 31, 34, 36, 37, 48, 77, 79, 80, 81], "srid": 3, "c\u00f3dig": [3, 8, 15, 16, 17, 18, 19, 25, 26, 27, 31, 32, 36, 38, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 72, 77, 79, 80, 81, 89, 91], "epsg": [3, 77], "defin": [3, 5, 12, 14, 15, 16, 18, 19, 20, 21, 22, 24, 28, 31, 32, 34, 36, 37, 41, 45, 48, 52, 57, 73, 77, 79, 81, 82, 83], "autor": [3, 80, 91], "internacional": 3, "produtor": 3, "petr\u00f3l": 3, "g\u00e1s": 3, "identific": [3, 16, 17, 18, 20, 21, 25, 27, 28, 29, 36, 38, 43, 44, 56, 65, 68, 77, 79, 80, 81], "corret": [3, 5, 9, 25, 89], "inter": [3, 18, 36, 39, 40, 41, 42, 43, 44, 48, 52, 59, 70, 81, 82, 83, 89, 90], "port": 3, "http": [3, 10, 26, 48, 69, 80], "io": [3, 9, 34, 69, 77, 78], "spatialreferenc": 3, "org": [3, 20, 27, 46, 69, 73, 80], "getgeotransform": 3, "tupl": [3, 4, 16, 17, 20, 24, 25, 27, 34, 36, 81, 82], "06": [3, 19, 20, 21, 48, 69, 71, 86], "coeficient": [3, 21], "espac": [3, 5, 20, 21, 25, 31, 34, 36, 48, 52, 59, 62, 79, 80, 88, 89, 90], "coordend": 3, "georreferenc": 3, "projet": [3, 43, 44, 50, 51, 53, 54, 57, 60, 62, 64, 68, 71, 72, 73, 88, 90, 91], "gt": 3, "508810": 3, "0": [3, 4, 5, 10, 12, 13, 15, 17, 18, 19, 20, 21, 23, 24, 25, 26, 27, 29, 31, 32, 33, 34, 37, 41, 44, 46, 48, 69, 71, 77, 78, 80, 81, 82, 83], "5": [3, 4, 5, 9, 12, 13, 15, 17, 18, 20, 21, 22, 25, 26, 27, 29, 30, 31, 32, 33, 36, 37, 38, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 73, 77, 78, 79, 81, 82, 83, 91], "7857490": 3, "Na": [3, 6, 10, 25, 27, 31, 32, 45, 66, 71, 73, 75, 77, 80, 81, 83, 89], "acim": [3, 4, 8, 9, 10, 11, 18, 21, 24, 25, 27, 31, 38, 41, 48, 71, 77, 80, 81, 82, 83], "\u00edndic": [3, 4, 5, 16, 31, 32, 48, 51, 53, 56, 60, 62, 77, 81, 89], "x": [3, 5, 12, 13, 16, 17, 21, 25, 27, 29, 32, 33, 38, 40, 48, 59, 64, 79, 81, 82, 83], "pixel": 3, "cant": [3, 32], "superior": [3, 32, 55, 82], "esquerd": [3, 18, 22, 25, 32, 34, 36, 91], "long": [3, 38, 50, 72, 77, 81, 89], "eix": [3, 5, 64, 81], "rota\u00e7\u00e3": [3, 59], "zer": [3, 4, 5, 32, 68, 81, 83], "alinh": [3, 24, 64], "nort": [3, 77], "north": 3, "up": [3, 71], "y": [3, 13, 21, 25, 27, 32, 38, 48, 64, 79, 82, 83], "equa\u00e7\u00e3": [3, 20, 21, 25, 31, 32, 45, 48], "begin": [3, 21, 25, 27, 48], "x_": [3, 32, 48], "geo": [3, 48, 77, 91], "y_": [3, 32], "end": [3, 21, 25, 27, 48, 69, 83], "No": [3, 8, 17, 18, 19, 22, 25, 31, 32, 36, 37, 40, 41, 42, 44, 46, 52, 71, 72, 73, 75, 77, 79, 80, 81, 83, 91], "resum": [3, 44, 71], "calcul": [3, 15, 20, 21, 25, 27, 48, 51, 60, 62, 65, 77, 89], "20": [3, 5, 9, 16, 17, 20, 24, 25, 29, 31, 34, 40, 46, 48, 69, 78, 81, 82, 90], "30": [3, 4, 13, 21, 33, 34, 36, 46, 69, 78, 80, 81, 82, 90], "informa\u00e7\u00f5s": 3, "geotransform": 3, "tutorial": [3, 16, 20, 32, 69], "send": [3, 15, 18, 20, 21, 25, 27, 45, 59, 72, 73, 79, 80, 83, 89], "rasterysiz": 3, "rasterxsiz": 3, "rastercount": 3, "Como": [3, 14, 16, 20, 25, 27, 32, 33, 42, 71, 73, 77, 81, 82, 83, 89, 91], "observ": [3, 5, 16, 25, 27, 32, 53, 60, 73, 79, 80, 81, 83, 89], "numera": [3, 43], "n": [3, 20, 21, 25, 27, 32, 42, 43, 44, 48, 68, 69, 77, 80, 81], "onde": [3, 11, 13, 14, 16, 17, 18, 20, 21, 24, 25, 27, 34, 38, 40, 41, 44, 45, 48, 71, 72, 73, 79, 80, 83, 91], "total": [3, 4, 32, 40, 71, 79, 81], "lembr": [3, 5, 16, 18, 21, 25, 38, 48, 71, 73, 77, 89, 90], "index": [3, 4, 17, 21, 27, 31, 32, 34, 51, 62, 69, 81], "amostr": [3, 52, 59, 77], "rapidey": [3, 5], "correspond": [3, 21, 27, 34, 38, 48, 80, 83], "nir": [3, 5, 15, 21, 26, 31, 48, 51, 62, 64], "respect": [3, 17, 18, 27, 45, 46, 62, 77, 83, 91], "getrasterband": [3, 5], "capaz": [3, 6, 27, 34, 37, 43, 68, 72, 75, 79, 81, 83, 90], "banda_n": [3, 5], "banda_red": [3, 5], "n\u00edv": 3, "digit": [3, 5, 8, 12, 21, 43, 48, 75, 89], "nodatavalu": 3, "minimum": [3, 46], "maximum": 3, "histogr": 3, "estat\u00edst": [3, 50, 81, 90], "m\u00e9d": [3, 21, 65, 81], "desvi": [3, 13, 19, 20, 25, 65, 81], "padr\u00e3": [3, 17, 18, 21, 24, 25, 27, 31, 42, 43, 45, 48, 65, 71, 73, 77, 80, 81, 83, 89], "datatyp": 3, "lid": [3, 19, 20, 31, 79, 81], "getdatatypenam": 3, "qua": [3, 5, 51, 62, 71, 73, 79, 81], "extrem": [3, 25, 83, 91], "m\u00ednim": [3, 20, 21, 32, 48, 81], "m\u00e1xim": [3, 20, 21, 24, 27, 34, 79, 81, 83, 90], "computerasterminmax": [3, 5], "menor_valor": 3, "maior_valor": 3, "menor": [3, 12, 13, 19, 21, 25, 30, 32, 48, 83], "depo": [3, 13, 19, 25, 31, 32, 48, 56, 65, 77, 82], "cri": [3, 5, 10, 11, 16, 17, 18, 20, 21, 22, 25, 27, 31, 32, 33, 39, 43, 44, 45, 48, 50, 51, 53, 54, 62, 71, 77, 82, 89], "ler": [3, 48, 77, 80, 90], "inic": [3, 4, 8, 43, 48, 90], "readasarray": [3, 5], "matriz_red": 3, "matriz_n": 3, "Essa": [3, 6, 25, 27, 31, 38, 43, 48, 53, 67, 72, 77, 81, 83], "agor": [3, 25, 27, 31, 71, 80], "verific": [3, 16, 19, 27, 32, 33, 56, 72, 77, 82, 83, 89], "shap": [3, 4, 5, 77, 81], "c\u00e9lul": [3, 18, 31, 38, 40, 41, 45, 79, 81, 83, 91], "usar": [3, 5, 12, 13, 16, 17, 21, 22, 24, 25, 29, 31, 32, 34, 41, 45, 71, 73, 77, 80, 81, 82, 83, 89, 90], "dtype": [3, 4, 81], "comput": [3, 6, 13, 16, 20, 21, 25, 26, 32, 38, 39, 41, 43, 44, 48, 62, 69, 77, 79, 81, 88, 89, 90, 91], "veget": [3, 19, 31, 60, 62, 69, 79, 81, 83], "ndvi": [3, 5, 15, 19, 21, 48, 51, 62], "matricial": [3, 4, 79, 90], "envolv": [3, 6, 26, 39, 83, 91], "obtid": [3, 5, 8, 33, 41, 48, 56, 57, 59, 60, 65, 66, 80, 81, 88], "astype": [3, 5], "float": [3, 5, 13, 19, 21, 22, 36, 41], "geraca": 3, "array": [3, 4, 5, 27, 80, 81], "deriv": [3, 25, 71], "matriz_ndv": 3, "000000001": 3, "dimenso": 3, "said": 3, "c\u00e1lcul": [3, 5, 15, 25, 31, 41, 57, 71], "coloc": [3, 8, 12, 13, 27, 71], "term": [3, 16, 18, 21, 25, 27, 46, 72, 77, 83, 91], "adicional": [3, 59, 89], "denomin": [3, 4, 16, 17, 21, 25, 31, 32, 39, 53, 71, 77, 79, 80, 81, 82, 83, 89, 91], "embor": [3, 24, 89], "n\u00e3": [3, 4, 5, 6, 9, 10, 12, 13, 15, 16, 17, 18, 19, 20, 21, 23, 25, 27, 28, 32, 33, 34, 38, 41, 48, 58, 68, 71, 72, 73, 77, 80, 81, 82, 83, 89, 90, 91], "original": [3, 4, 5, 8, 27, 32, 41, 46, 77, 80, 89], "evit": [3, 5, 18, 25, 27, 32], "acontec": [3, 20, 27], "divis\u00f5": [3, 5, 34, 83], "nul": [3, 36, 81], "inconsistent": 3, "final": [3, 4, 8, 12, 14, 20, 21, 25, 32, 34, 41, 48, 67, 71, 77, 81, 82, 83, 89, 90], "muit": [3, 4, 5, 13, 16, 19, 20, 24, 25, 27, 31, 32, 33, 37, 57, 58, 59, 71, 72, 80, 89, 90, 91], "pequen": [3, 6, 25, 27, 67, 77, 89, 90], "impact": [3, 23], "result": [3, 4, 5, 15, 19, 20, 21, 22, 25, 27, 30, 31, 38, 39, 40, 43, 44, 45, 48, 52, 64, 67, 71, 81, 83, 91], "combin": [3, 4, 5, 22, 56, 60, 63, 81, 83, 89, 91], "matplotlib": [3, 5, 16, 26, 41, 81, 90], "visualiz": [3, 6, 39, 43, 44, 53, 54, 57, 62, 81, 90, 91], "pyplot": [3, 5, 26, 81], "plt": [3, 5, 26, 81], "figsiz": [3, 5], "16": [3, 4, 9, 16, 17, 20, 21, 26, 27, 32, 37, 44, 48, 52, 69, 80, 81, 82, 83], "8": [3, 4, 5, 9, 10, 19, 21, 24, 25, 31, 32, 35, 37, 42, 44, 46, 48, 51, 52, 62, 69, 71, 77, 78, 80, 81, 82, 89, 91], "subplot": [3, 5], "131": [3, 5], "titl": [3, 5, 26, 46, 80], "imshow": [3, 5], "cmap": [3, 5], "gray": [3, 5, 26], "132": [3, 5], "133": [3, 5, 81], "vmin": 3, "vmax": 3, "mem\u00f3r": [3, 20, 21, 27, 38, 77], "fech": [3, 34, 77, 82, 83], "abert": [3, 27, 34, 48, 75, 77, 82, 83, 89], "non": [3, 16, 17, 21, 25, 28, 36, 46], "realiz": [3, 4, 5, 6, 13, 14, 15, 16, 18, 20, 21, 24, 25, 26, 27, 31, 32, 34, 36, 39, 43, 48, 56, 57, 64, 66, 67, 71, 72, 73, 77, 80, 81, 82, 88, 90], "signif": [3, 17, 21], "ser\u00e3": [3, 5, 24, 31, 81, 90], "principal": [4, 27, 45, 71, 73, 80, 89], "homogeneous": 4, "multidimensional": 4, "tabel": [4, 16, 18, 20, 21, 27, 28, 30, 37, 41, 44, 45, 51, 62, 77, 79, 81, 83, 90, 91], "element": [4, 5, 12, 16, 17, 20, 21, 24, 25, 27, 32, 33, 34, 39, 43, 44, 48, 62, 65, 77, 79, 80, 81, 82, 83, 90, 91], "geral": [4, 12, 16, 17, 21, 25, 31, 34, 38, 58, 59, 71, 77, 79, 81, 83, 86, 89, 90], "posit": [4, 25, 27, 48, 58], "axes": [4, 81], "rank": 4, "primeir": [4, 5, 12, 18, 19, 20, 21, 25, 26, 27, 32, 33, 34, 36, 41, 45, 71, 77, 81, 82, 83, 89, 90], "dimens\u00e3": [4, 5, 83], "tamanh": [4, 20, 24, 25, 32, 34, 48, 59, 79, 89], "segund": [4, 17, 18, 25, 32, 41, 77, 81, 82, 83], "class": [4, 14, 15, 16, 22, 27, 28, 32, 33, 36, 52, 57, 59, 69, 71, 72, 77, 82, 83], "ndarray": [4, 81], "supond": [4, 25], "linh": [4, 5, 16, 18, 19, 21, 24, 25, 27, 32, 34, 38, 40, 41, 48, 51, 71, 77, 79, 80, 83, 89], "40": [4, 29, 69, 81, 83], "colun": [4, 5, 20, 48], "est\u00e3": [4, 64, 81, 83], "ndim": 4, "siz": [4, 27], "1200": 4, "descrev": [4, 9, 27, 77, 83], "int32": 4, "int16": 4, "float64": 4, "itemsiz": 4, "bytes": [4, 27, 71], "dat": [4, 6, 16, 21, 23, 26, 27, 36, 40, 44, 46, 48, 49, 51, 52, 54, 55, 56, 57, 58, 60, 62, 66, 69, 71, 77, 79, 80, 81, 85, 86, 88, 89], "buff": [4, 66, 90], "pois": [4, 18, 23, 24, 25, 34, 82, 89], "import": [4, 5, 13, 15, 16, 18, 23, 24, 25, 26, 28, 41, 43, 67, 71, 77, 79, 80, 81, 82, 83, 89, 90, 91], "m\u00f3dul": [4, 6, 41, 48, 77, 80, 82], "apel": 4, "np": [4, 5], "E": [4, 36, 68, 69, 71, 77, 81, 83], "bibliotec": [4, 5, 13, 16, 21, 24, 25, 27, 48, 49, 53, 62, 80, 81, 82, 89, 90, 91], "v\u00e1r": [4, 13, 25, 34, 67, 73, 81, 89, 91], "cria\u00e7\u00e3": [4, 5, 16, 25, 27, 31, 33, 43, 51, 62, 73, 88, 89, 90], "comec": [4, 21, 24, 27, 31, 34, 38, 40, 77, 79, 80, 81], "arang": 4, "interval": [4, 5, 12, 19, 20, 21, 29, 32, 34, 52, 58, 81], "regul": [4, 81, 90], "unidimensional": [4, 81], "vetor": [4, 5, 56, 81], "15": [4, 18, 20, 32, 44, 48, 50, 66, 69, 81, 89], "6": [4, 9, 13, 15, 16, 18, 20, 21, 25, 27, 30, 31, 32, 34, 36, 37, 38, 40, 43, 46, 48, 69, 71, 73, 75, 77, 81, 89, 91], "7": [4, 9, 13, 18, 19, 21, 25, 29, 31, 32, 34, 35, 36, 37, 40, 41, 44, 46, 48, 58, 69, 71, 73, 77, 78, 81, 82, 91], "9": [4, 16, 19, 20, 21, 25, 27, 29, 31, 32, 35, 41, 44, 46, 69, 71, 77, 80, 81, 82, 91], "10": [4, 5, 9, 12, 13, 21, 22, 24, 25, 29, 30, 32, 34, 36, 37, 38, 44, 48, 58, 69, 75, 77, 78, 80, 81, 82, 83, 89, 91], "11": [4, 8, 16, 18, 19, 21, 25, 28, 29, 31, 32, 44, 46, 48, 62, 69, 75, 77, 78, 80, 81, 82, 89], "12": [4, 19, 21, 25, 26, 27, 36, 37, 40, 44, 48, 69, 75, 78, 80, 81, 82, 89], "13": [4, 16, 19, 21, 25, 32, 37, 42, 44, 48, 69, 75, 78, 81, 82, 83, 89, 91], "14": [4, 16, 18, 20, 21, 25, 32, 34, 44, 48, 69, 80, 81, 89, 91], "sequ\u00eanc": [4, 14, 16, 17, 19, 20, 21, 24, 25, 26, 27, 31, 33, 34, 36, 41, 48, 79, 80, 82, 83, 90], "termin": [4, 16, 25, 34], "vez": [4, 6, 16, 17, 18, 19, 20, 24, 25, 27, 32, 34, 43, 45, 71, 72, 77, 79, 80, 81, 83, 89, 91], "inclu\u00edd": [4, 13, 17, 18, 34, 73], "b": [4, 5, 21, 25, 26, 38, 46, 68, 69, 81], "reestrutr": 4, "usand": [4, 6, 17, 18, 20, 21, 27, 31, 33, 34, 36, 40, 41, 48, 79, 80, 83], "reshap": 4, "torn": [4, 18, 25, 80, 91], "tim": [4, 21, 25, 26, 32, 41, 46, 48, 52, 79, 80, 83, 91], "matem\u00e1t": [4, 16, 22, 27, 37, 39, 48, 57, 91], "sej": [4, 6, 11, 12, 13, 16, 17, 18, 19, 20, 24, 25, 27, 31, 34, 35, 40, 41, 64, 73, 77, 81, 82, 83, 89, 90], "imprim": [4, 5, 21, 25, 48], "som": [4, 5, 20, 21, 25, 27, 36, 37, 58], "fiz": [4, 16], "nenhum": [4, 25, 58, 83, 90], "atribui\u00e7\u00e3": [4, 18, 90], "explor": [4, 43, 90], "aritm\u00e9t": [4, 22, 27, 31, 66, 90], "segu": [4, 10, 18, 21, 22, 23, 25, 31, 48, 52, 66, 71, 73, 75, 77, 81, 82, 83], "s": [4, 8, 24, 32, 46, 68, 69, 71, 77, 80], "zeros_lik": [4, 5], "\u00fatil": [4, 17, 20, 57, 81, 89], "quand": [4, 15, 16, 18, 20, 22, 25, 26, 27, 34, 45, 55, 58, 77, 79, 81, 83, 89], "quer": [4, 18, 48, 89], "c\u00f3p": [4, 5, 18, 24, 34, 72, 73, 81, 90], "algum": [4, 5, 7, 8, 13, 14, 16, 18, 20, 21, 24, 25, 26, 27, 32, 34, 48, 50, 52, 58, 73, 77, 79, 81, 82, 83, 89, 90, 91], "nov": [4, 8, 9, 12, 14, 16, 17, 18, 19, 20, 21, 25, 27, 31, 32, 34, 42, 45, 48, 53, 54, 59, 66, 73, 77, 80, 81, 83, 91], "por\u00e9m": [4, 12, 27, 71, 81, 91], "divis\u00e3": [4, 22, 27, 37], "precis": [4, 5, 9, 13, 24, 25, 26, 34, 68, 71, 77, 81, 82, 83, 89, 90], "array_divisa": 4, "aqu": [4, 39, 71, 81, 89, 91], "produt": [4, 16, 21, 25, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 89, 90], "array_produt": 4, "garant": [4, 16, 71, 77, 83, 91], "transpos": 4, "array_produto_matricial": 4, "dot": 4, "aproveit": 4, "gera\u00e7\u00e3": [4, 51, 52, 53, 77, 89], "contr": [4, 49], "fatiament": 4, "dar\u00e3": 5, "dataset": 5, "individu": [5, 17, 32, 36], "colab": [5, 31, 39], "upload": 5, "aba": [5, 45, 73], "banda_blu": 5, "banda_green": 5, "banda_rededg": 5, "m\u00e1x": 5, "m\u00edn": 5, "complement": 5, "histogram": 5, "Ele": [5, 89], "gr\u00e1fic": [5, 26, 27, 39, 50, 62, 67, 81, 89, 90, 91], "distribui\u00e7\u00e3": [5, 39, 75, 77], "gethistogr": 5, "min": [5, 21, 32, 48, 81], "max": [5, 21, 32, 48, 81], "buckets": 5, "plot": [5, 26], "25000": 5, "100": [5, 19, 20, 23, 29, 48, 59, 71, 78], "label": [5, 26], "blu": 5, "green": [5, 48, 64], "r": [5, 20, 21, 24, 27, 32, 34, 43, 48, 68, 69, 77, 80, 83, 90, 91], "orang": 5, "edge": 5, "cyan": 5, "grid": [5, 26], "legend": [5, 26, 52], "emp\u00edr": 5, "Este": [5, 7, 8, 16, 19, 26, 34, 35, 39, 41, 71, 73, 80, 83, 84, 89], "divid": [5, 21, 34, 36, 67], "portant": [5, 18, 25, 27, 28, 34, 38, 44, 77, 81, 82, 83, 89, 90, 91], "origin": [5, 59, 66, 71], "sim": 5, "rededg": 5, "151": 5, "152": 5, "153": 5, "154": 5, "155": 5, "scatterplot": 5, "transform": [5, 6, 25, 57, 80, 81, 90], "flatten": 5, "vetor_red": 5, "vetor_n": 5, "constru": [5, 6, 17, 24, 25, 27, 33, 48, 53, 62, 64, 66, 68, 77, 83, 89, 91], "scatt": 5, "mark": [5, 26, 46, 85], "xlabel": [5, 26], "ylabel": [5, 26], "dispers\u00e3": [5, 81], "component": [5, 77, 82, 89, 91], "rgb": 5, "canal": 5, "verdadeir": [5, 19, 20, 34, 35, 36, 83], "array_rgb": 5, "obterm": 5, "normaliz": [5, 31], "t\u00e9cnic": [5, 6, 25, 26, 29, 57, 59, 81, 90], "melhor": [5, 27, 48, 60, 67, 77, 81, 89], "alter": [5, 8, 9, 16, 17, 18, 19, 21, 25, 32, 45, 64, 71, 72, 81], "assim": [5, 18, 22, 25, 27, 34, 41, 44, 48, 50, 73, 80, 81, 82, 83, 89], "rela\u00e7\u00e3": [5, 64, 71, 89], "respost": [5, 49, 58, 65, 79], "fic": [5, 25, 77, 80, 89], "compromet": 5, "an\u00e1lis": [5, 6, 43, 49, 57, 67, 82, 88, 90, 91], "bas": [5, 8, 10, 13, 39, 41, 46, 48, 49, 51, 54, 57, 62, 66, 69, 71, 73, 78, 81, 83, 89, 90, 91], "comport": [5, 45, 48, 67], "espectral": [5, 48, 65, 79], "bem": [5, 18, 19, 22, 24, 25, 27, 41, 43, 48, 52, 62, 67, 71, 72, 73, 77, 79, 82, 83, 84, 89, 90, 91], "gain": 5, "ganh": [5, 27, 89], "offset": 5, "desloc": [5, 64], "multiplic": [5, 21, 22, 27, 37, 57], "anterior": [5, 10, 14, 16, 21, 25, 38, 43, 78, 81, 82], "array_rgb_gain": 5, "copy": [5, 10, 81], "array_rgb_offset": 5, "f": [5, 12, 17, 20, 25, 29, 32, 40, 41, 68, 69, 77, 80, 81, 83, 85], "limi": [5, 55], "produz": [5, 8, 18, 25, 26, 30, 31, 34, 35, 40, 43, 45, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 91], "rapid": [5, 43, 81], "mapeament": [5, 24, 80], "alvos": [5, 57], "defini\u00e7\u00e3": [5, 16, 18, 25, 27, 32, 82, 83, 91], "delt": [5, 20, 71], "0000000001": 5, "limiar_ndw": 5, "limiar_ndv": 5, "fiqu": [5, 25], "adequ": [5, 27, 33, 62], "ndwi": [5, 48, 69], "classificaca": 5, "wher": [5, 46], "colormap_3cl": 5, "get_cmap": 5, "colorb": 5, "consegu": 5, "tabul": 5, "big": [6, 69, 80], "profission": 6, "necessit": 6, "r\u00e1p": [6, 44, 77], "disciplin": [6, 48, 71, 73], "ensin": [6, 90], "arte": [6, 90], "problem": [6, 19, 20, 23, 25, 26, 27, 31, 72, 90], "experient": [6, 89, 90], "pr\u00e9v": [6, 90], "computacion": [6, 27, 39, 83, 90, 91], "apoi": [6, 81, 90], "cicl": 6, "pesquis": [6, 27, 39, 80, 88, 89, 91], "ci\u00eanc": [6, 27, 88, 89, 90], "aquisi\u00e7\u00e3": [6, 23], "organiz": [6, 16, 19, 25, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 79, 84, 91], "integr": [6, 8, 25, 43, 44, 53, 62, 72, 73, 89, 90, 91], "linguag": [6, 14, 16, 18, 24, 25, 31, 32, 33, 36, 38, 40, 43, 44, 48, 52, 71, 73, 77, 80, 89], "automatiz": 6, "rotineir": 6, "repetit": 6, "extra": [6, 34], "analis": [6, 65], "configur": [6, 62, 71, 83], "t\u00f3pic": [6, 15, 86, 88], "vari": [6, 17, 26, 40, 67, 79, 89, 90], "turm": 6, "2023": [6, 48, 65, 86], "2022": [6, 66], "2021": [6, 8, 69, 80], "licenc": [6, 27, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73], "p\u00e1gin": [6, 8, 9, 71, 73, 89, 91], "busc": [6, 18, 34], "cap\u00edtul": [7, 26, 31, 39, 62, 84], "dic": 7, "prepar": [7, 27, 89], "computacional": [7, 79, 89], "curs": [7, 15, 24, 48, 73, 86, 88, 89, 91], "anacond": [7, 39, 43, 44, 75, 77, 82, 89], "pycharm": 7, "dock": [7, 40, 69], "jupyterlab": [7, 41, 43, 45, 69], "anaconda3": [8, 89], "2020": [8, 11, 50, 62, 69, 80, 89], "verifiqu": [8, 10, 21, 71, 78, 80, 82], "baix": [8, 10, 11, 16, 48, 71, 81], "echo": 8, "cf2ff493f11eaad5d09ce2b4feaa5ea90db5174303d5b3fe030e16d29aeef7d": 8, "x86_64": 8, "sh": [8, 11, 41], "sha256sum": 8, "check": [8, 71], "algo": [8, 10, 27, 71], "ok": [8, 80], "f2ff493f11eaad5d09ce2b4feaa5ea90db5174303d5b3fe030e16d29aeef7d": 8, "algoritm": [8, 25, 43, 55, 90], "hash": [8, 27], "criptograf": 8, "sha": 8, "256": 8, "sit": [8, 20, 27, 48, 89], "terminal": [8, 10, 18, 34, 36, 40, 41, 42, 43, 44, 48, 70, 71], "bash": [8, 10, 41], "downloads": [8, 11, 71], "pergunt": [8, 19, 21, 23, 31, 48], "sugest\u00f4": 8, "substitu": [8, 71], "Do": [8, 81], "you": [8, 46], "accept": [8, 46], "the": [8, 10, 27, 46, 69, 80, 91], "licens": [8, 46, 71, 73, 80], "terms": [8, 46], "yes": [8, 10], "will": [8, 46, 71], "now": [8, 46], "be": [8, 46, 71], "installed": 8, "into": [8, 27], "this": [8, 10, 27, 46], "location": [8, 80], "hom": [8, 10, 40, 43, 48, 89], "gribeir": [8, 40, 43, 73], "press": [8, 69, 85], "enter": [8, 45], "to": [8, 10, 27, 46, 48, 69, 71, 77, 85], "confirm": [8, 71, 73], "ctrl": 8, "abort": 8, "installation": 8, "or": [8, 10, 16, 19, 23, 25, 28, 46, 71, 89], "specify": 8, "different": [8, 46], "below": [8, 46], "prefix": [8, 10, 40, 41, 80, 89], "unpacking": 8, "payload": 8, "wish": 8, "install": [8, 9, 10, 71, 77, 81, 82, 89], "initializ": 8, "by": [8, 21, 27, 46, 69, 71, 80, 81], "running": 8, "cond": [8, 10, 41, 77, 81, 82], "init": [8, 77], "Ao": [8, 18, 20, 27, 57, 58, 60, 67, 71, 77, 89, 90], "mensag": [8, 21, 31, 71], "For": [8, 46, 69], "chang": [8, 46, 71], "tak": 8, "effect": 8, "clos": [8, 21, 77], "and": [8, 10, 16, 19, 21, 23, 27, 28, 46, 48, 56, 68, 69, 71, 80, 83, 85], "re": 8, "your": [8, 46, 71], "current": 8, "shell": [8, 16, 43, 44], "if": [8, 12, 14, 16, 19, 21, 25, 27, 28, 32, 41, 46], "pref": 8, "that": [8, 46], "environment": [8, 10, 69, 89], "not": [8, 13, 17, 18, 25, 28, 31, 32, 33, 41, 46, 66, 71, 81, 89], "activated": 8, "on": [8, 41, 46, 69, 71, 85, 89], "startup": 8, "set": [8, 16, 43, 44, 46, 69], "auto_activate_bas": 8, "paramet": 8, "fals": [8, 17, 19, 20, 21, 28, 30, 32, 33, 34, 35, 48, 80, 81], "config": [8, 41], "thank": 8, "installing": 8, "abra": [8, 10, 43, 71, 75], "activat": [8, 82], "prompt": [8, 31, 43, 44, 75], "enghaw": 8, "tent": [8, 13, 21, 32, 34, 80, 90], "info": [8, 69], "envs": 8, "semelh": [8, 24, 25, 34, 37, 48, 71, 73, 81], "exib": [8, 11, 60, 73], "environments": 8, "detalh": [8, 16, 17, 18, 21, 24, 31, 32, 33, 39, 40, 44, 58, 62, 77, 79, 80, 83], "se\u00e7\u00e3": [8, 16, 19, 20, 21, 24, 25, 31, 32, 34, 36, 48, 71, 73, 77, 78, 82, 83], "manual": [8, 9, 16, 21, 24], "pass": [9, 13, 18, 20, 24, 25, 28, 31, 32, 40, 48, 71, 77, 91], "ubuntu": [9, 71, 89], "groovy": 9, "focal": 9, "04": [9, 18, 19, 20, 21, 25, 48, 69, 80, 81, 86, 90], "lts": 9, "bionic": 9, "18": [9, 16, 21, 25, 32, 38, 40, 41, 45, 48, 68, 69, 77, 80, 81, 82, 83], "xenial": 9, "engin": [9, 69, 89], "atualiz": [9, 71, 73], "pacot": [9, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 77, 82, 89], "sud": [9, 71], "apt": [9, 71], "get": [9, 17, 71], "updat": [9, 71], "auxili": [9, 13], "necess\u00e1ri": [9, 20, 24, 32, 34, 52, 64, 77, 81, 83, 89, 90, 91], "transport": 9, "https": [9, 27, 48, 69, 71, 73, 80], "ca": 9, "certificat": 9, "curl": 9, "properti": [9, 77, 78], "common": [9, 69], "adicion": [9, 21, 27, 32, 34, 45, 73, 81], "chav": [9, 16, 17, 19, 24, 25, 26, 29, 33, 34, 36, 43, 77, 80, 89], "gpg": 9, "oficial": [9, 27, 89], "fssl": 9, "key": [9, 16, 25, 29], "add": [9, 27, 71], "reposit\u00f3ri": [9, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 91], "repository": [9, 73], "deb": 9, "arch": 9, "amd64": 9, "lsb_releas": 9, "cs": [9, 69], "stabl": [9, 69], "ce": 9, "cli": 9, "containerd": 9, "lanc": [9, 17, 24, 25, 32, 34], "cont\u00eain": [9, 10, 83], "hell": 9, "world": [9, 46], "run": [9, 10, 40, 41, 45], "usu\u00e1ri": [9, 11, 12, 19, 21, 23, 26, 31, 37, 43, 48, 50, 51, 52, 62, 71, 73, 89], "grup": [9, 14, 48, 75, 81, 90, 91], "pr\u00f3x": 9, "comand": [9, 10, 16, 18, 20, 25, 26, 27, 30, 34, 35, 39, 43, 48, 71, 75, 77, 81, 89], "execut": [9, 10, 11, 12, 15, 16, 18, 19, 20, 25, 26, 27, 31, 40, 41, 43, 45, 75, 91], "usermod": 9, "ag": [9, 80], "user": [9, 10, 69], "\u00faltim": [9, 18, 21, 33, 38, 71, 77, 82, 83, 91], "logout": 9, "login": 9, "tenh": [9, 14, 24, 25, 32, 43, 77, 83, 90], "efeit": [9, 18, 66], "datascienc": 10, "pull": 10, "detach": 10, "restart": 10, "unless": [10, 46], "stopped": 10, "nam": [10, 13, 17, 18, 29, 46, 48, 77, 81], "my": 10, "publish": [10, 46, 69, 71, 80], "127": 10, "8888": 10, "env": [10, 41], "jupyter_enable_lab": 10, "volum": [10, 80, 83, 91], "pwd": [10, 41], "jovyan": 10, "documents": 10, "url": [10, 48, 69, 77, 80], "naveg": [10, 43, 45, 48, 89], "logs": 10, "access": [10, 46, 69], "fil": [10, 13, 21, 25, 31, 32, 34, 41, 45, 69, 71], "in": [10, 12, 13, 17, 20, 21, 25, 28, 29, 32, 33, 36, 40, 41, 42, 43, 44, 46, 68, 69, 71, 77, 80, 81, 82, 83], "brows": 10, "shar": [10, 40, 46], "runtim": 10, "jpserv": 10, "html": [10, 39, 41, 43, 45, 69, 73, 91], "past": [10, 11, 41, 43, 48, 71], "one": [10, 25, 46, 69], "of": [10, 27, 41, 46, 48, 68, 69, 71, 80, 91], "thes": [10, 46], "urls": 10, "287556ed8229": 10, "lab": [10, 43], "token": 10, "9b5af45a3c781144c92f3bf398b477ae5d32907b197a5a50": 10, "enderec": [10, 38, 48, 71, 78, 80, 81], "firefox": 10, "janel": [10, 11, 31, 43, 44, 45, 64, 73, 75, 89], "plugins": [10, 40], "extens\u00f5": 10, "exec": 10, "it": [10, 20, 46], "root": [10, 40], "ipyleaflet": 10, "channel": 10, "forg": 10, "extension": 10, "labextension": 10, "widgets": 10, "manag": 10, "leaflet": 10, "nbextension": 10, "enabl": 10, "py": [10, 16, 41, 48, 49, 53, 69, 71], "sys": [10, 40, 41, 77], "debugg": 10, "vega3": 10, "mathjax3": 10, "latex": [10, 39, 41, 43, 45, 91], "pyviz": 10, "jupyterlab_pyviz": 10, "widgetsnbextension": 10, "queir": 10, "extens\u00e3": [10, 16, 43, 48, 49, 77], "git": [10, 69, 70, 73, 91], "extras": 10, "pip": [10, 41], "u": [10, 25, 32, 34], "build": [10, 71, 77], "github": [10, 69, 70, 72, 91], "Nas": [10, 18, 20, 22, 27], "community": [11, 69], "descompact": [11, 32, 48], "tar": 11, "gz": 11, "cd": [11, 41, 71], "xzvf": 11, "mov": 11, "diret\u00f3ri": [11, 40, 48, 71, 73, 77], "sob": [11, 27], "raiz": [11, 57], "mv": [11, 41], "Entre": [11, 21, 31, 83], "coloqu": [11, 41], "execu": [11, 12, 14, 16, 18, 19, 20, 23, 25, 31, 38, 41, 43, 44, 45, 77, 80, 89, 90], "bin": [11, 40], "boas": 11, "vind": [11, 24, 84, 90], "ccom": 11, "barr": [11, 34, 45, 75, 81], "v\u00e1": [11, 71], "menu": [11, 45, 73], "tools": 11, "selecion": [11, 31, 44, 45, 73], "op\u00e7\u00e3": [11, 31, 40, 44, 45, 62, 71, 73, 75], "creat": [11, 46, 71], "desktop": [11, 89], "entry": 11, "Isso": [11, 16, 18, 25, 31, 89], "far": [11, 18, 31, 41, 71, 73, 81], "atalh": [11, 45, 75], "\u00edcon": 11, "inicializ": [11, 14, 36, 43, 77], "control": [12, 13, 14, 16, 20, 22, 25, 27, 31, 72, 73, 80, 81, 90, 91], "flux": [12, 13, 14, 16, 19, 20, 25, 27, 31], "whil": [12, 14, 16, 21, 25, 28, 69, 71], "condicional": [12, 21], "existent": [12, 13, 16, 17, 24, 64, 71], "iter": [12, 16, 20, 21, 25, 32, 34, 77], "Ou": [12, 24, 25, 81, 83], "finaliz": [12, 14, 77], "redirecion": 12, "pr\u00f3xim": [12, 18, 25, 27, 31, 48, 77, 83, 91], "antes": [12, 18, 34, 56, 57, 58, 65, 77, 79, 91], "travess": [12, 29], "rang": [12, 16, 20, 29, 32, 41, 77], "funcion": [12, 18, 20, 24, 25, 34, 41, 42, 81, 89], "simil": [12, 18, 45, 46, 71, 80], "inv\u00e9s": [12, 16, 44, 81], "corrent": [12, 40, 71], "declar": [12, 25, 71], "escrev": [12, 18, 19, 20, 21, 23, 25, 26, 27, 31, 34, 45, 48, 72, 77, 89, 90], "tel": [12, 15, 18, 21, 31], "int": [12, 13, 19, 21, 23, 25, 27, 31, 36, 77], "input": [12, 19, 21, 23, 31, 81], "duas": [12, 18, 21, 27, 29, 34, 36, 41, 43, 77, 79, 81, 83, 91], "instru\u00e7\u00f5": [12, 15, 19, 20, 25, 26, 31, 36, 77, 89], "corp": [12, 18, 20, 25], "tant": [12, 39, 62, 77, 83, 90, 91], "quant": [12, 39, 62, 73, 77, 81, 83, 90, 91], "dif\u00edcil": [13, 27, 89], "express": [13, 25, 26, 27, 32, 34, 37, 46, 90], "irem": [13, 24, 31, 48, 71, 73, 77, 81, 83, 89, 91], "pressup\u00f5": 13, "proced": [13, 25, 27], "Estas": 13, "function": 13, "call": [13, 25, 32], "determin": [13, 26, 27, 38, 43, 44, 45, 58, 79, 82, 83], "pont": [13, 16, 18, 21, 24, 25, 27, 32, 36, 37, 41, 48, 59, 64, 71, 77, 79, 80, 83, 89], "invoc": [13, 18, 25, 34], "feit": [13, 34], "argument": [13, 17, 18, 24, 31, 34, 36, 41, 43, 77, 80, 81, 82], "abs": [13, 27, 69], "22": [13, 21, 24, 25, 36, 45, 69, 81, 82, 86], "sep": 13, "built": [13, 36, 69], "functions": [13, 41, 69], "express\u00e3": [13, 16, 18, 19, 20, 21, 22, 23, 25, 27, 30, 34, 37, 38, 41, 42, 44, 81, 82], "absolut": [13, 27, 46, 50], "ceil": 13, "tet": 13, "floor": 13, "pis": 13, "exp": 13, "exponencial": 13, "38": [13, 17, 24, 25, 69, 77, 78, 81], "pow": [13, 69], "potenc": [13, 22, 37], "64": [13, 16, 32, 37, 69, 79, 89], "logaritm": [13, 57], "natural": [13, 20, 27, 91], "log10": [13, 48], "Se": [13, 16, 17, 18, 19, 20, 24, 25, 27, 34, 41, 43, 71, 73, 81, 83, 89, 90], "diret": [13, 16, 18, 19, 27, 40, 80], "surpres": 13, "traceback": [13, 25, 32], "most": [13, 25, 32, 46], "recent": [13, 25, 32, 59, 72, 80], "last": [13, 25, 32], "stdin": [13, 25, 32, 34], "lin": [13, 25, 32, 34, 41, 48, 81, 82, 83], "modul": [13, 25, 32, 40, 41], "nameerror": [13, 18], "is": [13, 16, 18, 21, 27, 28, 34, 41, 46, 69, 71, 80], "defined": [13, 18, 46], "math": [13, 25, 41, 48], "mathematical": 13, "alto": [14, 16, 27, 81], "n\u00edvel": [14, 16, 27, 48, 64, 79, 80, 81, 83], "vist": [14, 20, 25, 32, 42, 45, 71, 81, 91], "aul": [14, 25, 34, 84, 89, 90], "vim": 14, "lac": [14, 16, 21, 25, 26, 27, 30, 35, 77], "inclusiv": [14, 38, 44, 71, 80, 83], "aninh": [14, 19, 27, 32], "try": [14, 21, 28, 77], "tratament": [14, 27, 73], "durant": [14, 18, 23, 25, 27, 89, 90], "with": [14, 21, 28, 46, 69, 71, 77, 80, 85], "in\u00edci": [14, 20, 25, 77, 81], "liber": [14, 18, 77], "def": [14, 16, 18, 25, 28, 41, 71, 89], "consider": [15, 18, 21, 22, 26, 29, 31, 38, 43, 48, 50, 51, 53, 54, 77, 81, 83, 89], "document": [15, 31, 39, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 76, 77, 81, 83, 89, 91], "font": [15, 41, 48, 50, 52, 71, 72, 73, 77, 83, 89, 91], "nota\u00e7\u00e3": [15, 17, 24, 27, 30, 32, 34, 37, 44, 45, 77, 78, 80, 82], "especial": [15, 24, 25, 32, 33, 34, 73, 81, 83, 90, 91], "discut": [15, 25, 31, 71, 77, 82, 90, 91], "adiant": [15, 48, 81], "trech": [15, 16, 17, 19, 25, 26, 27, 31, 32, 36, 38, 41, 42, 45, 77, 79, 80, 81, 90], "explic": [15, 18, 20, 71, 73], "se\u00e7\u00f5": [15, 16, 25, 80], "entrad": [15, 31, 42, 43, 48, 67, 77, 81], "01": [15, 18, 19, 21, 25, 26, 32, 47, 71, 80, 81, 86], "linguagens": [16, 18, 20, 22, 25, 26, 90], "aprend": [16, 84, 89, 90], "23": [16, 17, 21, 24, 25, 29, 32, 34, 45, 48, 69, 78, 80, 81], "diferenc": [16, 17, 25, 31, 32, 33, 38, 67, 71, 80, 81, 83], "schmalz": [16, 69], "primit": [16, 36, 79], "bom": [16, 20, 24, 77, 78, 80, 89, 91], "71": [16, 18, 27, 69], "l\u00f3gic": [16, 19, 20, 25, 26, 30, 31, 34, 36, 80, 81, 90], "express\u00f5": [16, 26, 31, 34, 44, 48, 81, 83], "constru\u00e7\u00e3": [16, 25, 53, 65, 77, 81, 83, 90, 91], "domin": 16, "verdad": [16, 25, 83], "estrutur": [16, 17, 26, 27, 33, 48, 71, 73, 77, 78, 79, 80, 90], "condicion": [16, 26, 27, 30, 35], "repeti\u00e7\u00e3": [16, 26, 27, 30, 35], "21": [16, 21, 25, 27, 32, 42, 45, 69, 77, 81, 82], "atravess": [16, 21], "cole\u00e7\u00e3": [16, 52, 77, 78, 79, 82, 83], "itens": [16, 20, 29, 32, 34, 50], "condi\u00e7\u00e3": [16, 20, 83], "modific": [16, 17, 18, 32, 72, 73], "break": [16, 21, 26, 28], "continu": [16, 19, 25, 26, 28, 32, 71], "str": [16, 34, 36, 77], "usam": [16, 18, 19, 25, 27, 32, 36, 37, 81, 83], "strings": [16, 17, 20, 26, 36, 80, 81], "string": [16, 17, 25, 26, 29, 31, 32, 36, 48, 69, 77, 79, 80, 81, 83], "exist": [16, 17, 18, 20, 22, 24, 27, 32, 33, 34, 37, 38, 41, 62, 64, 71, 73, 78, 79, 80, 81, 83, 89, 90, 91], "comuns": [16, 25, 27, 32], "imut": [16, 17, 20, 32, 33, 34], "caract": [16, 19, 24, 29, 31, 32, 34, 36, 38, 40, 41, 44, 48, 77, 79, 80], "utliz": [16, 83], "item": [16, 17, 32], "mut": [16, 17, 32], "remov": [16, 17, 25, 32, 46, 81], "comprehension": [16, 21], "idiom": 16, "comum": [16, 25, 27, 71, 72, 79, 91], "dicion\u00e1ri": [16, 18, 24, 25, 26, 27, 33, 36, 77, 80, 90], "17": [16, 17, 18, 21, 24, 25, 29, 34, 40, 45, 66, 68, 69, 71, 77, 78, 80, 81, 91], "agrup": [16, 25, 81], "dict": [16, 69, 77], "72": [16, 69], "70": [16, 48, 69], "78": [16, 69], "77": [16, 69], "76": [16, 69, 80], "efet": [16, 27, 91], "args": [16, 24, 41], "kwargs": [16, 24], "vari\u00e1vel": [16, 17, 18, 20, 22, 32, 34, 38, 40, 42, 77, 89], "bastant": [16, 17, 27, 91], "flexibil": 16, "prov": [16, 43, 86, 90], "adot": [16, 43, 59, 73, 83, 91], "valu": [16, 27, 29, 81], "pairs": [16, 25], "orden": [16, 17, 25, 32, 33], "hav": [16, 46], "return": [16, 25, 27, 28, 41, 71, 89], "acas": 16, "instru\u00e7\u00e3": [16, 19, 20, 25, 31], "automat": [16, 25, 41, 73, 77, 89], "default": [16, 17], "tom": [16, 24, 27, 41, 48, 82], "cuid": [16, 34], "minhafunca": 16, "append": [16, 21, 32], "cresc": [16, 32, 89], "med": [16, 20, 24, 32, 40, 46, 65, 67, 69, 79, 83, 85, 89, 90], "ocorr": [16, 18, 21, 23, 25, 60, 65, 81, 91], "porqu": 16, "armadilh": 16, "minhafuncao2": 16, "else": [16, 19, 21, 25, 28, 32], "conven\u00e7\u00e3": [16, 22, 48, 81], "escut": 16, "diz": [16, 25, 26, 38, 73, 83], "script": [16, 27, 41, 64, 67, 68, 72, 77], "pesso": [16, 72], "refer": [16, 17, 18, 34, 48, 77, 81, 83], "scripts": [16, 24, 62, 64, 65, 66, 67, 68], "autom": 16, "taref": [16, 26, 27, 73, 89], "construtor": [16, 17, 27, 32, 33, 82], "complex": [16, 25, 36, 37, 44, 80, 83], "real": [16, 21, 27, 36, 79], "imagin\u00e1r": 16, "plan": [16, 73, 79], "cartesian": [16, 25], "struct": 16, "esp\u00e9c": 16, "wirth": [16, 27, 69], "87": [16, 69, 81], "ole": [16, 69], "johan": [16, 69], "kristen": [16, 69], "nygaard": [16, 69], "pais": [16, 80, 81], "orient": [16, 27, 34], "poo": 16, "Nos": [16, 83], "anos": [16, 23, 27, 91], "60": [16, 27, 29, 69, 91], "centr": [16, 59], "norueg": 16, "lider": 16, "fam\u00edl": [16, 27], "1965": 16, "1968": [16, 80], "introduz": [16, 18, 19, 25, 27, 31, 50, 77, 81, 83], "destac": [16, 20, 25, 31, 38, 43, 44, 60, 73, 83, 89], "arrays": [17, 80, 82, 90], "trat": [17, 24, 27, 31, 32, 33, 34, 41, 71, 73, 79, 80, 89, 90], "agreg": [17, 81], "espec\u00edf": [17, 20, 32, 42, 80, 81, 83, 90], "registr": [17, 27, 63, 71, 72, 73, 77], "cidad": [17, 29, 32, 33, 78, 80], "paul": [17, 29, 32, 69, 85], "sao_paul": [17, 29], "woeid": [17, 29], "12582314": [17, 29], "bounding": [17, 29, 32], "box": [17, 29, 32, 64], "46": [17, 29, 32, 48, 69, 81], "82": [17, 27, 29, 69], "24": [17, 21, 26, 29, 32, 45, 69, 80, 81, 83, 86], "00": [17, 29, 40, 48, 71, 80, 81], "36": [17, 29, 32, 69, 81], "68": [17, 29, 69, 91], "country": [17, 29], "brazil": [17, 29, 49, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 81, 88, 91], "cuj": [17, 32, 34, 38, 45, 81, 83], "delimit": [17, 19, 24, 31, 32, 34, 40, 80, 83], "separ": [17, 25, 32, 33, 34, 36, 43, 44, 80], "v\u00edrgul": [17, 32, 33, 34, 80], "ness": [17, 18, 19, 20, 21, 24, 25, 31, 38, 39, 43, 44, 48, 62, 71, 73, 77, 79, 81, 83, 89, 90, 91], "compar": [17, 30, 48, 64, 67, 83], "Isto": 17, "pertenc": [17, 18, 31, 33, 55, 83], "jos": [17, 32, 68, 69, 78, 80], "camp": [17, 24, 32, 68, 69, 78, 79, 80], "our": [17, 25, 32, 33, 46, 78, 81, 91], "pret": [17, 25, 32, 33, 78, 81], "sjc": 17, "longitud": [17, 24, 25, 26, 32, 36, 41, 48], "45": [17, 24, 25, 32, 39, 69, 77, 78, 81, 91], "88": [17, 24, 25, 78], "latitud": [17, 24, 25, 26, 32, 36, 41, 48], "ouro_pret": 17, "43": [17, 25, 43, 69, 78, 81], "50": [17, 25, 27, 62, 69, 77, 78, 81, 90], "exce\u00e7\u00e3": [17, 25, 32, 34], "keyerror": 17, "altitud": 17, "379": [17, 71], "tru": [17, 21, 26, 28, 30, 32, 33, 34, 35, 36, 48, 80, 81, 83], "De": [17, 18, 45, 48, 69, 77, 80, 81, 83], "an\u00e1log": [17, 83], "len": [17, 21, 32, 41, 77, 81, 82], "usarm": [17, 79], "ordem": [17, 24, 25, 27, 32, 77, 81], "quis": [17, 24, 34, 41, 71, 81, 89], "sorted": [17, 32, 69], "xmin": [17, 32, 77], "8254": [17, 32], "ymin": [17, 32, 77], "0084": [17, 32], "xmax": [17, 32, 77], "3648": [17, 32], "ymax": [17, 77], "6830": [17, 32], "683": 17, "simplific": [17, 18], "empreg": [17, 20, 25, 39, 72, 80], "vazi": [17, 33, 82, 83], "estar": [17, 25, 64, 65, 66, 67, 68, 71, 83, 89], "las": [17, 72, 81], "comprehensions": [17, 27, 32, 69], "xs": [17, 32, 33], "27": [17, 41, 69, 77, 81], "discuss\u00e3": [18, 89], "quest\u00e3": [18, 21, 25, 43, 44, 79, 83], "visibil": 18, "temp": [18, 27, 38, 41, 50, 52, 58], "vid": [18, 79, 86], "deix": [18, 81], "imper": [18, 20, 25], "context": [18, 23, 46, 71, 79, 89, 91], "consequent": [18, 73, 77, 83], "vis\u00edv": 18, "acess\u00edv": 18, "J\u00e1": [18, 81], "glob": 18, "extern": [18, 32, 82, 83], "demonstr": [18, 24], "pi": [18, 25, 48], "f1": 18, "v1": 18, "estiv": [18, 81], "limp": 18, "kernel": [18, 40, 43], "tiv": [18, 25, 27, 43, 71, 83], "carreg": [18, 41], "tud": 18, "reinicializ": 18, "02": [18, 19, 21, 48, 71, 81, 86], "05": [18, 19, 20, 21, 24, 32, 48, 71, 81, 86], "leitur": [18, 21, 31, 76, 90, 91], "interpret": [18, 24, 25, 27, 31, 34, 45, 48, 75, 89, 90], "09": [18, 21, 32, 48], "escond": 18, "t\u00e9rmin": [18, 19, 77], "destru\u00edd": 18, "junt": [18, 30, 32, 34], "loc": [18, 71, 81], "erro": [18, 25, 34, 77], "naquel": [18, 27, 81], "regr": [18, 22, 24, 27, 68, 83], "moment": [18, 58], "gamm": 18, "5772": 18, "Esse": [18, 20, 25, 30, 34, 39, 41, 43, 44, 48, 77, 80, 81, 83, 89], "aind": [18, 25, 27, 32, 71, 73, 77, 79, 81, 83, 91], "troc": [18, 24], "lug": [18, 25, 32, 34], "normal": [18, 48], "mant": [18, 71], "espec": [18, 25, 27, 48, 73, 77, 90], "constru\u00edd": [18, 25, 32, 36, 66, 82], "compil": [18, 25, 27], "s\u00edmbol": [18, 25, 27, 31, 37, 41, 43, 44, 89], "inser": [18, 23, 72], "lad": [18, 25, 34, 48], "procur": [18, 34, 90], "verif": [18, 23], "pr\u00e9": [18, 41], "perceb": [18, 27, 79], "sempr": [18, 25, 73], "mecan": [18, 27, 43], "passag": [18, 27], "referent": [18, 27, 44, 64, 67, 71, 77, 81, 83, 89, 90], "ali": [18, 41], "poss": [18, 27, 43, 48, 71, 81, 91], "entant": [18, 25, 42, 81], "intern": [18, 20, 32, 38, 80, 82, 83], "conte\u00fad": [18, 21, 24, 27, 38, 45, 71, 73], "depend": [19, 77, 79], "palavr": [19, 25, 26, 27, 34, 36, 43, 83, 89, 91], "reserv": [19, 25, 27, 28, 46], "elif": [19, 21, 28], "cl\u00e1usul": 19, "soment": [19, 25, 27, 33, 35, 89, 90, 91], "03": [19, 20, 21, 24, 25, 32, 48, 69, 71, 77, 80, 86], "papel": [19, 25], "expess\u00e3": 19, "avali": [19, 20, 25, 42, 48, 83], "dens": 19, "atent": [19, 34], "indent": [19, 25, 80], "pouc": [19, 26, 27, 90], "ano": [19, 23, 24, 36, 77, 81, 89, 91], "bissext": [19, 23], "solu\u00e7\u00e3": [19, 20, 21, 23, 25, 31, 48, 81, 90], "400": [19, 23], "fim": [19, 29, 91], "convert": [20, 25, 27, 31, 48, 81], "temperatur": [20, 79], "escal": 20, "fahrenheit": [20, 31], "celsius": [20, 29, 31, 41], "equivalent": [20, 31, 34, 46, 80], "desafi": [20, 88, 91], "loops": [20, 41, 69], "cert": [20, 22, 24, 37, 52, 79, 80], "satisfeit": 20, "i": [20, 21, 25, 27, 29, 32, 46, 69, 77, 83], "101": [20, 41, 78], "constru\u00edm": 20, "start": [20, 80, 81, 83], "stop": [20, 46, 81], "step": [20, 27, 81], "ocup": [20, 21, 91], "fix": [20, 24, 64, 79, 90], "enquant": [20, 25, 33, 83, 89], "materializ": [20, 32], "fat": [20, 21, 25, 34, 43, 77], "estam": [20, 31, 71, 72, 73, 79, 89], "v": [20, 21, 25, 68, 69, 85], "possibil": [20, 43, 50, 73, 77, 89, 91], "amarel": 20, "fluxogram": [20, 77], "sintax": [20, 24, 31, 32, 34, 36, 40, 43, 44, 71, 78, 91], "variavel": [20, 21], "34": [20, 21, 24, 25, 27, 69, 81], "somat\u00f3ri": [20, 81], "sum_": 20, "exerc\u00edci": [20, 21, 80, 90], "resolv": [20, 26, 48, 90], "convers\u00e3": [20, 29, 48], "fahr": [20, 29, 31, 41], "320": 20, "32": [20, 27, 29, 31, 36, 38, 40, 41, 69, 81], "80": [20, 27, 29, 69], "interromp": 20, "seguin": 20, "35": [20, 69, 81], "interrup\u00e7\u00e3": 20, "ex": 20, "t_min": 20, "t_max": 20, "300": 20, "delta_t": 20, "inicial": [20, 21, 27, 43, 45, 82, 83], "59": [20, 69], "learningpython": 20, "48": [20, 69, 77, 81], "07": [20, 21, 32, 48, 69, 81], "ret": [21, 32, 48], "ax": [21, 26], "apliqu": 21, "l\u00ea": 21, "estej": [21, 27, 41, 71], "y0": 21, "lei": [21, 48, 77], "fatorial": [21, 25, 71], "prod_": 21, "rod": [21, 27, 75, 90], "fibonacc": [21, 25], "subsequent": 21, "55": [21, 25, 41, 48, 69, 80, 81], "89": [21, 25], "f\u00f3rmul": [21, 25, 31, 39, 41, 48, 62, 91], "f_n": [21, 25], "f_": [21, 25], "f_1": [21, 25], "f_0": 21, "exit": [21, 77], "proxim": 21, "pot\u00eanc": 21, "pot": [21, 25], "prim": [21, 32, 85], "tabu": 21, "j": [21, 27, 32, 68, 69, 80, 85], "08": [21, 25, 32, 48, 71, 86], "serie_ndv": 21, "quantidad": [21, 27, 55, 59, 81, 89, 91], "inv\u00e1l": 21, "v\u00e1l": [21, 80, 81, 83], "inval": 21, "mod13q1": [21, 26], "000": 21, "flutuant": [21, 24, 25, 27, 32, 36, 37, 80, 82], "men": [21, 27, 34, 35, 59], "serie_mod13q1": 21, "7000": 21, "6000": 21, "3000": 21, "10000": 21, "2000": [21, 77], "5000": 21, "500": 21, "7500": 21, "rea": [21, 37, 48], "serie_mod13q1_float": 21, "s\u00e9ri": [21, 25, 26, 27, 48, 49, 50, 52, 53, 57, 62, 91], "temporal": [21, 26, 52, 58, 60, 62, 69], "extra\u00edd": [21, 52], "sensor": [21, 24, 48, 50, 51, 62, 64, 68, 79, 88, 90, 91], "mod": [21, 48, 52, 71, 77], "54": [21, 26, 36, 69, 81, 91], "per\u00edod": [21, 52, 81], "2015": [21, 69, 81, 85], "19": [21, 24, 25, 34, 45, 69, 81], "red_valu": 21, "168": [21, 31], "398": 21, "451": 21, "337": 21, "186": 21, "232": 21, "262": 21, "349": [21, 88, 90], "189": 21, "204": 21, "220": 21, "207": 21, "239": 21, "259": 21, "258": 21, "242": 21, "331": 21, "251": 21, "323": 21, "106": 21, "1055": 21, "170": [21, 66], "nir_valu": 21, "2346": [21, 31], "4431": 21, "4638": 21, "4286": 21, "2752": 21, "3521": 21, "2928": 21, "3087": 21, "2702": 21, "2685": 21, "2865": 21, "2835": 21, "2955": 21, "3019": 21, "3391": 21, "2986": 21, "4042": 21, "3050": 21, "3617": 21, "2478": 21, "3361": 21, "2613": 21, "timelin": [21, 26], "25": [21, 22, 24, 32, 37, 45, 48, 69, 81, 82], "26": [21, 27, 29, 45, 69, 81], "28": [21, 32, 41, 69, 77, 81], "29": [21, 33, 41, 48, 69, 81], "obtenh": 21, "gerador": [21, 32], "ndvi_valu": 21, "vaz": [21, 32, 83], "correspondent": [21, 81], "zip": [21, 29, 48, 77], "media_ndv": 21, "sum": [21, 81], "ndvi_min": 21, "ndvi_max": 21, "sequenc": [21, 24, 27, 69, 80, 81], "ocorrent": [21, 24, 32, 34, 65, 81, 83], "pos_ndvi_min": 21, "pos_ndvi_max": 21, "refaz": [21, 90], "abrind": [21, 43, 77], "focos24h_brasil": 21, "txt": [21, 48], "lend": 21, "arq": 21, "conteud": 21, "read": [21, 46], "finally": [21, 28], "linha1": 21, "readlin": 21, "linha2": 21, "json": [21, 43, 69, 71, 76, 78], "writ": [21, 77], "foc": [21, 48, 81, 83], "estad": [21, 81], "find": 21, "reading": 21, "writing": [21, 71], "operand": [22, 35, 48], "convencion": 22, "Qual": [22, 25, 81, 82], "75": [22, 43, 44, 69, 81], "qu\u00ea": 22, "signific": [22, 30, 73, 91], "precedent": 22, "prioridad": 22, "rest": [22, 27, 37], "adi\u00e7\u00e3": [22, 27, 37], "subtra\u00e7\u00e3": [22, 27, 37, 66], "par\u00eantes": [22, 31, 32, 34, 69], "infix": 22, "literal": [22, 34, 36], "associat": 22, "direit": [22, 24, 25, 32, 34, 36, 91], "descobr": [22, 36, 55], "excet": [23, 83], "sat\u00e9lit": [23, 24, 36, 50, 64, 65, 66, 68, 79], "interpol": [24, 83], "compreend": [24, 25, 79, 81, 83, 90], "cap": [24, 80, 83, 88, 90], "419": [24, 80], "347": [24, 73, 80], "marcador": 24, "posi\u00e7\u00e3": [24, 32, 34, 38, 58, 64, 81], "placehold": 24, "substitu\u00edd": [24, 34], "expand": [24, 34], "37": [24, 69, 77, 81], "substitui\u00e7\u00e3": [24, 32], "idad": [24, 80], "salari": 24, "1250": 24, "340000": 24, "2f": [24, 83], "fracion\u00e1r": 24, "especific": [24, 27, 54, 78, 81, 83], "preench": 24, "padding": 24, "20s": 24, "05d": 24, "00038": 24, "exat": [24, 25], "plataform": [24, 27, 52, 53, 57, 71, 73, 88, 89, 91], "landsat": [24, 30, 34, 36, 51, 52, 62, 69, 91], "oli": [24, 62], "2013": [24, 69, 81, 85, 91], "instrument": [24, 91], "sid": [24, 25, 27, 32, 59, 71, 72, 77, 91], "deprec": 24, "favor": [24, 27], "leg": 24, "sprintf": 24, "placeholders": [24, 32], "usar\u00e3": 24, "correspodent": 24, "truncament": 24, "introdu": [24, 32, 34, 39, 76, 84, 88, 90], "omit": [24, 25, 34, 41, 81], "numer": [24, 42, 44, 48, 80, 89], "posicion": 24, "positional": [24, 25], "arguments": [24, 25], "bord": [24, 68, 91], "named": 24, "keyword": [24, 25], "examin": [24, 89], "precis\u00e3": [24, 37], "decimal": [24, 37, 48], "avanc": [24, 43, 44, 88], "utilliz": 24, "escap": [24, 80], "dobr": 24, "contr\u00e1ri": [24, 25, 27, 32, 34], "marc": [24, 27, 48, 69], "gui": [24, 41], "61": [24, 69], "modulariz": 25, "los": [25, 32, 40, 89], "desv": 25, "ating": [25, 64], "ent\u00e3": [25, 27, 32, 72, 81], "encerr": [25, 77], "devolv": 25, "supor": [25, 38], "hipot\u00e9t": [25, 83], "suponh": [25, 27, 32, 83], "dist\u00e2nc": [25, 41, 48, 90], "euclidian": 25, "possivel": [25, 91], "varia\u00e7\u00f5": 25, "pens": 25, "grand": [25, 27, 32, 39, 88, 90, 91], "dif\u00edc": 25, "dar": 25, "manuten\u00e7\u00e3": [25, 43, 44], "descubr": [25, 48], "parec": [25, 32, 71, 80, 81], "varr": 25, "corrig": [25, 80], "corre\u00e7\u00e3": [25, 66, 89], "bugs": 25, "indesej": 25, "encapsul": [25, 48, 89], "reutiliz": [25, 48, 89], "distanc": [25, 41, 48], "reduz": [25, 27, 59, 67], "inferior": [25, 32], "captur": [25, 41], "reflet": 25, "assinatur": 25, "inclu\u00edm": 25, "recu": 25, "rais": [25, 28], "valueerror": 25, "formal": [25, 69], "Da": 25, "distanciaeuclidian": 25, "x1": 25, "y1": 25, "x2": 25, "y2": 25, "dx": [25, 80], "dy": 25, "sqrt": [25, 41, 48], "d1": 25, "d2": 25, "falt": [25, 66, 81], "quart": 25, "d3": 25, "typeerror": [25, 32], "missing": [25, 81], "required": [25, 46], "Mas": 25, "possbilit": 25, "pr\u00f3pr": [25, 31, 34, 77, 81], "inerent": 25, "natur": [25, 27, 69], "z": [25, 82, 83], "recorrent": [25, 56], "fatorialrec": 25, "Nem": 25, "f\u00e1cil": [25, 73, 80], "sofr": 25, "eficient": [25, 27], "empilh": [25, 58], "otimiz": [25, 90], "lo": [25, 43, 71, 80], "elimin": [25, 33], "mau": 25, "f_2": 25, "144": 25, "fibrec": 25, "fibit": 25, "bast": [25, 40, 71, 81, 90], "reaproveit": [25, 90], "recomput": 25, "nunc": 25, "tr\u00eas": [25, 29, 32, 34, 43, 45, 48, 83], "graus2radian": 25, "alpha": 25, "180": [25, 59], "\u00e2ngul": 25, "graus": [25, 31, 41, 48], "radian": [25, 41, 48], "tend": 25, "opcional": [25, 34, 82], "opcion": 25, "syntaxerror": [25, 34], "follows": 25, "aceit": [25, 27, 34, 39, 45, 80, 81, 82, 91], "myprintv1": 25, "p1": [25, 82], "dupl": [25, 31, 34, 40, 80], "myprintv2": 25, "k": [25, 27, 29, 69], "items": [25, 29, 77, 81], "parametr": 25, "situa\u00e7\u00e3": 25, "artif\u00edci": 25, "an\u00f4nim": 25, "necess": [25, 27, 38, 43], "two": 25, "thre": 25, "four": 25, "sort": [25, 32], "pair": 25, "map": [25, 56, 65, 88], "filt": [25, 81], "interag": [26, 91], "hardwar": [26, 27], "seg": [26, 73], "habil": [26, 90, 91], "exemplif": 26, "encad": [26, 27, 32], "wtss": [26, 52, 62], "w": [26, 69, 77, 80, 85], "www": [26, 27, 69, 80], "esensing": 26, "dpi": [26, 48, 77], "inpe": [26, 48, 56, 68, 69, 77, 86, 88, 91], "br": [26, 48, 69, 77], "ts": 26, "time_seri": 26, "coverag": [26, 49, 69], "attribut": [26, 46], "start_dat": 26, "2001": 26, "end_dat": 26, "31": [26, 27, 34, 40, 48, 69, 81], "fig": 26, "subplots": 26, "seri": [26, 52], "fontsiz": 26, "surfac": [26, 83], "reflectanc": 26, "color": [26, 79], "ls": [26, 40, 41, 71], "purpl": 26, "linestyl": 26, "linewidth": 26, "autofmt_xdat": 26, "show": 26, "princip": [26, 35, 44, 77, 91], "aprendiz": [26, 27, 88, 89], "num\u00e9r": [26, 27, 31, 34, 36, 44, 48, 80, 81, 90], "coment\u00e1ri": 26, "relacion": [26, 56, 59, 72, 88, 90, 91], "escop": [26, 27, 84], "fin": 26, "progr": [27, 34, 69], "construction": 27, "consists": 27, "refinement": [27, 69], "steps": 27, "niklaus": [27, 69], "86": [27, 69], "finit": 27, "determin\u00edst": 27, "66": [27, 69], "divisor": 27, "quaisqu": [27, 48], "a\u00e7\u00f5": 27, "lev": [27, 71, 89, 90], "solucion": 27, "descrit": [27, 43, 79, 81], "igual": [27, 30, 32], "obtend": [27, 36, 41, 77, 90], "obtem": [27, 71, 81], "pseudoc\u00f3dig": 27, "conven\u00e7\u00f5": 27, "portugu\u00eas": 27, "portugol": 27, "diagram": [27, 77, 83], "chapin": 27, "nass": 27, "sneid": 27, "quadr": [27, 32, 57, 68], "vis\u00e3": [27, 86], "hier\u00e1rqu": 27, "atual": [27, 39, 43, 71, 73, 79, 83, 88, 89, 91], "caiu": 27, "desus": 27, "jav": [27, 83], "pr\u00f3pri": [27, 34, 48, 71, 73, 83], "Essas": [27, 73, 81, 91], "padr\u00f5": [27, 42, 83, 88, 91], "bits": [27, 37], "m\u00e1quin": [27, 71, 73], "carg": [27, 77], "transferent": 27, "poss\u00edv": [27, 35, 71], "microprocess": 27, "bit": [27, 38, 89], "opcod": 27, "rs": 27, "rt": 27, "rd": 27, "shamt": 27, "funct": 27, "immediat": 27, "address": 27, "op": [27, 34], "000000": 27, "00001": 27, "00010": 27, "00110": 27, "00000": 27, "100000": [27, 41], "ide": [27, 72, 90, 91], "favorit": 27, "operacional": [27, 40, 43, 44, 48, 77, 89], "copi": [27, 71, 73, 81, 90], "ram": [27, 71], "cpu": 27, "inconvenient": 27, "human": 27, "montag": 27, "assembly": 27, "mnemonic": 27, "load": [27, 41, 80], "stor": [27, 41], "jump": 27, "assembl": 27, "wikibooks": [27, 69], "84": [27, 69], "lda": 27, "loads": [27, 80], "numb": [27, 69, 80, 81], "accumulator": 27, "adds": 27, "contents": [27, 46], "sto": 27, "sav": [27, 41, 45], "memory": 27, "respons": [27, 43], "montador": 27, "leg\u00edvel": 27, "dias": [27, 48, 68], "hoj": 27, "compreens\u00e3": 27, "dificuldad": [27, 72, 90], "abstra\u00e7\u00f5": 27, "sedgewick": [27, 69], "wayn": [27, 69], "2011": [27, 69, 81, 91], "unsigned": 27, "speedcoding": [27, 69], "john": [27, 69, 85], "backus": [27, 69], "1953": 27, "conceb": 27, "ibm": [27, 69, 79], "701": [27, 69], "\u00e9poc": 27, "simb\u00f3l": 27, "reescrit": 27, "foss": [27, 81], "arquitetur": [27, 43, 50, 72], "fortran": [27, 69], "704": [27, 69], "ampla": [27, 62], "codific": [27, 48, 77, 79, 80, 83], "debug": [27, 41], "1954": [27, 69], "motiv": [27, 84], "cust": 27, "cient\u00edf": [27, 43, 80, 91], "engenh": 27, "gast": 27, "90": [27, 59, 69], "traduz": 27, "gnu": 27, "vier": 27, "algol": [27, 69], "rithmic": 27, "languag": [27, 69, 80], "58": [27, 43, 69], "batiz": 27, "ial": 27, "international": [27, 46, 56, 69], "algorithmic": 27, "cientist": [27, 43], "american": [27, 69], "europeus": 27, "tentat": [27, 34], "comun": [27, 39, 91], "revist": 27, "jorn": 27, "acm": [27, 69], "formaliz": 27, "atu": 27, "l\u00e9xic": 27, "81": [27, 32, 69], "procedur": 27, "absmax": 27, "m": [27, 32, 34, 68, 69, 71, 83], "subscripts": 27, "integ": 27, "comment": 27, "greatest": 27, "matrix": [27, 83], "transferred": 27, "until": 27, "then": [27, 46], "bnf": 27, "refin": 27, "tard": 27, "pet": [27, 69], "naur": 27, "influenc": 27, "genealog": 27, "contribu": [27, 90, 91], "\u00e1re": [27, 52, 56, 58, 59, 62, 73, 79, 82, 83, 88, 90, 91], "estabelec": [27, 83], "guid": [27, 69], "van": [27, 69], "rossum": [27, 69], "79": [27, 69], "funda\u00e7\u00e3": 27, "foundation": [27, 69, 89], "classific": [27, 88], "gram\u00e1t": 27, "sint\u00e1t": 27, "sem\u00e2nt": [27, 83], "decis\u00e3": 27, "standard": [27, 46, 69], "library": [27, 69], "33": [27, 69, 77, 81], "in\u00famer": [27, 79], "hor": [27, 58, 81], "comunic": [27, 34, 91], "caracter\u00edst": [27, 59, 79, 81], "din\u00e2m": [27, 91], "checag": 27, "gerenc": [27, 71, 77, 79, 82], "autom\u00e1t": [27, 63], "garbag": 27, "collector": 27, "poder": [27, 89], "oferec": [27, 32, 50, 73, 77, 91], "inspir": [27, 32, 90], "haskell": [27, 32], "cobr": 27, "extens": [27, 62], "paradigm": [27, 83], "popul": [27, 79, 80], "tiob": 27, "popular": 27, "await": 28, "except": [28, 46, 77], "lambd": 28, "nonlocal": 28, "assert": [28, 46], "async": 28, "yield": 28, "gilbert": [29, 36, 38, 48, 69, 71, 73, 80, 88], "ribeir": [29, 38, 69, 88], "letr": [29, 32, 34, 38, 81], "rio": [29, 32, 88], "janeir": [29, 32, 69], "bel": [29, 32, 81], "horizont": [29, 32, 81], "kelvin": 29, "273": 29, "boolean": [30, 35, 36, 83], "essenc": [30, 35], "land": [30, 52, 69], "cov": [30, 69], "tradi\u00e7\u00e3": 31, "ol\u00e1": 31, "mund": 31, "new": [31, 69, 71, 73], "solicit": 31, "cois": [31, 34, 40], "consist": 31, "marrom": 31, "editor": [31, 69, 89], "aspas": [31, 34, 80], "display": [31, 46], "normalized": [31, 69], "differenc": [31, 69, 82], "vegetation": 31, "reflect": 31, "rde": 31, "infravermelh": [31, 48], "frac": [31, 48], "rho_": 31, "var": [31, 40], "42": [31, 62, 69, 81], "aguard": 31, "tecl": [31, 43, 44, 45], "monitor": [31, 88, 91], "t": [31, 32, 68, 69, 77, 81, 83], "fundamental": 31, "liguagens": 31, "a_0": 32, "a_1": 32, "a_2": 32, "a_": 32, "encolh": 32, "concaten": 32, "th": [32, 34], "compriment": [32, 82, 83], "count": [32, 80, 81], "pos": 32, "centr\u00f3id": [32, 77], "centroide_sp": 32, "7165": 32, "indentific": 32, "unpack": 32, "us\u00e1": 32, "marca\u00e7\u00f5": [32, 45], "nested": 32, "ret\u00e2ngul": [32, 66], "envolvent": [32, 66], "rem": 32, "pol\u00edgon": [32, 77, 79, 83], "contorn": 32, "fronteir": [32, 79, 82], "rem_sp": 32, "canto_inferior_esquerd": 32, "canto_superior_direit": 32, "per\u00edmetr": [32, 90], "object": [32, 71, 80, 81], "does": [32, 46], "support": 32, "assignment": 32, "colchet": [32, 34, 80], "distribu": 32, "mut\u00e1vel": [32, 33], "plac": [32, 46], "nova_l": 32, "revers": 32, "ascendent": 32, "lexicogr\u00e1f": 32, "opetr": 32, "extend": 32, "marian": [32, 33, 81], "invert": [32, 34], "lista_vaz": 32, "lista_letr": 32, "\u00e3": [32, 34], "p": [32, 34, 35, 48, 68, 69, 83, 85], "lista_0_ate_9": 32, "iterabl": 32, "49": [32, 69, 80, 81], "ys": [32, 33], "concis": 32, "estrat\u00e9g": [32, 59, 81], "cole\u00e7\u00f5": [33, 50, 52, 53, 77, 79, 82, 83], "duplic": 33, "uni\u00e3": 33, "intersec\u00e7\u00e3": 33, "sim\u00e9tr": 33, "mg": 33, "branc": 33, "rn": 33, "acar": 33, "caic": 33, "cruzet": 33, "exclus": 33, "perdiz": 33, "disjunt": 33, "isdisjoint": 33, "duplicat": 33, "frozenset": [33, 69], "liter": [34, 36, 38, 43, 44, 90], "mudanc": [34, 49, 56, 60, 65, 88, 91], "f\u00edsic": 34, "invalid": [34, 90], "syntax": [34, 69], "programa\u00e7\u00e3ogeoespacial": 34, "repetid": 34, "overhead": 34, "desnecess\u00e1ri": 34, "H\u00e1": 34, "op\u00e7\u00f5": [34, 40, 44, 81], "stringi": 34, "estiv\u00e9ss": [34, 81], "programa\u00e7\u00e3oprograma\u00e7\u00e3oprogram": 34, "programa\u00e7\u00e3oprograma\u00e7\u00e3oprograma\u00e7\u00e3oprogram": 34, "negat": [34, 58], "indexerror": 34, "substrings": 34, "arbitr\u00e1ri": 34, "subentend": 34, "sinal": 34, "relat": [34, 77, 82, 91], "nad": [34, 71, 89], "t\u00eam": [34, 83, 91], "seguit": 34, "costum": 34, "substring": 34, "equival": 34, "slic": [34, 81, 82], "star": 34, "gra": 34, "grad": [34, 50, 66], "p\u00e2metr": 34, "uiliz": 34, "introdu\u00e7\u00e3oprograma\u00e7\u00e3ogeoespacial": 34, "quebr": [34, 60], "particion": 34, "whitespac": 34, "assum": [34, 64, 79], "substitui\u00e7\u00f5": 34, "\u00e7\u00e3": 34, "geoesp": 34, "ci": 34, "isdigit": 34, "d\u00edgit": [34, 38], "islow": 34, "min\u00fascul": [34, 38], "isupp": 34, "mai\u00fascul": [34, 38], "low": 34, "upper": 34, "usu": [35, 89], "conjun\u00e7\u00e3": 35, "proposi\u00e7\u00f5": 35, "disjun\u00e7\u00e3": 35, "nega\u00e7\u00e3": [35, 83], "proposi\u00e7\u00e3": 35, "q": [35, 48], "wedg": 35, "vee": 35, "neg": [35, 83], "1972": 36, "aparec": [36, 80, 81], "1982": 36, "split": 36, "fundament": [36, 62, 91], "types": [36, 69, 81], "473": 36, "3j": [36, 48], "\u00edmpar": [36, 48, 83], "sentinel": [36, 51, 52, 62, 91], "infinit": [37, 83], "1003": 37, "9223372036854775808": 37, "2e12": 37, "5200000000000": 37, "fractions": 37, "racion": 37, "abstra": [38, 79], "posi\u00e7\u00f5": 38, "nomenclatur": [38, 48, 71, 83], "underscor": 38, "distin\u00e7\u00e3": 38, "receb": [39, 67, 68, 73, 77, 82], "acad\u00eam": 39, "ind\u00fastr": [39, 72], "notebooks": [39, 40, 50, 51, 52, 53, 54, 62, 69, 90, 91], "narrat": [39, 89, 91], "anot": [39, 89, 91], "textu": [39, 80, 89, 91], "compat\u00edv": [39, 91], "tecnolog": [39, 79, 88, 89], "todav": 39, "nuv": [39, 50], "kaggl": 39, "ipython": [39, 40, 41, 42, 43, 69], "m\u00e1gic": [39, 40, 42], "hist\u00f3r": [39, 44, 72], "estend": 40, "so": [40, 46, 71], "exclam": 40, "cmd": 40, "listag": [40, 62, 71], "sub": 40, "liclips": 40, "qgis": [40, 91], "unix": 40, "drwxrwxr": 40, "4096": 40, "abr": 40, "52": [40, 69, 80, 81], "57": [40, 48, 69, 81, 91], "diretori": 40, "usr": 40, "cdrom": 40, "etc": [40, 57, 64, 65], "lib": 40, "lib64": 40, "lost": 40, "found": 40, "mnt": 40, "proc": [40, 46], "snap": 40, "boot": 40, "lib32": 40, "libx32": 40, "opt": 40, "sbin": 40, "srv": 40, "tmp": 40, "gam": 40, "includ": [40, 46, 71], "libexec": 40, "src": 40, "magic": 41, "estil": [41, 82], "magics": 41, "cell": 41, "timeit": 41, "m\u00e9di": 41, "1000": 41, "161": 41, "ns": 41, "per": 41, "loop": 41, "mean": [41, 81], "std": [41, 81], "runs": 41, "10000000": 41, "each": 41, "lsmagic": 41, "out": [41, 42, 43, 44, 46, 77, 81, 82], "availabl": [41, 46, 68], "alias_magic": 41, "autoawait": 41, "autocall": 41, "autoindent": 41, "automagic": 41, "bookmark": 41, "cat": 41, "cle": 41, "colors": 41, "cp": 41, "cpast": 41, "dhist": 41, "dirs": 41, "doctest_mod": 41, "ed": 41, "edit": 41, "hist": 41, "history": [41, 42], "killbgscripts": 41, "ldir": 41, "less": 41, "lf": 41, "lk": 41, "ll": 41, "load_ext": 41, "loadpy": 41, "logoff": 41, "logon": 41, "logstart": 41, "logstat": 41, "logstop": 41, "lx": 41, "macr": 41, "man": 41, "mkdir": 41, "mor": [41, 46], "pag": [41, 69, 73, 80, 91], "pastebin": 41, "pdb": 41, "pdef": 41, "pdoc": 41, "pfil": 41, "pinf": 41, "pinfo2": 41, "popd": 41, "pprint": 41, "precision": [41, 77], "prun": 41, "psearch": 41, "psourc": 41, "pushd": 41, "pycat": 41, "pylab": 41, "quickref": [41, 44], "recall": 41, "rehashx": 41, "reload_ext": 41, "rep": [41, 69], "rerun": 41, "reset": [41, 71], "reset_selectiv": 41, "rm": 41, "rmdir": 41, "sc": 41, "set_env": 41, "sx": 41, "tb": 41, "unal": 41, "unload_ext": 41, "who": 41, "who_ls": 41, "whos": 41, "xdel": 41, "xmod": 41, "svg": [41, 82], "javascript": 41, "js": 41, "markdown": [41, 43, 45, 71], "perl": 41, "pypy": 41, "python2": 41, "python3": [41, 75], "ruby": 41, "writefil": 41, "needed": 41, "\u00b5s": 41, "149": 41, "defini\u00e7\u00f5": [41, 83, 91], "haversin": [41, 45, 48], "esfer": [41, 48], "111": 41, "19492664455873": 41, "coment": [41, 48], "distanciahaversiv": 41, "rai": [41, 48, 89], "terr": [41, 48, 52, 53, 57, 60, 88], "6371km": 41, "raio_terr": 41, "6371": 41, "distanciahaversin": 41, "lat1": 41, "long1": 41, "lat2": 41, "long2": 41, "pront": [41, 57], "decim": 41, "long3": 41, "returns": 41, "covert": 41, "\u03d51": 41, "radians": 41, "\u03d52": 41, "\u03bb1": 41, "\u03bb2": 41, "\u03b4\u03d5": 41, "\u03b4\u03bb": 41, "sin2_f": 41, "sin": [41, 48], "sin2_lambd": 41, "asin": 41, "cos": [41, 48], "__name__": 41, "__main__": 41, "argv": 41, "v\u00edd": [41, 91], "youtub": 41, "embut": 41, "client": [41, 43, 46, 54, 72], "148": 41, "65": [41, 69, 91], "desativ": 41, "mant\u00e9m": [42, 91], "_": 42, "sublinh": 42, "acab": 42, "sobrescrev": 42, "_n": 42, "seq_fibonacc": [42, 44], "_i2": 42, "_i3": 42, "_i": 42, "_ih": 42, "_i1": 42, "ecossistem": 43, "tab": [43, 44], "completion": [43, 44], "introspec\u00e7\u00e3": [43, 44], "fort": [43, 44, 79], "distribu\u00edd": [43, 44, 72], "paralel": [43, 44, 53], "realc": [43, 44, 89], "acord": [43, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 83], "sofistic": 43, "direcion": 43, "73": [43, 69, 77, 80], "web": [43, 52, 62, 73, 77, 79, 80, 90, 91], "mistur": 43, "Esses": [43, 54, 81, 83, 91], "74": [43, 69], "ipynb": [43, 45], "mencion": 43, "front": 43, "ends": 43, "irkernel": 43, "ijul": 43, "jul": [43, 91], "windows": [43, 44, 48, 71, 75, 89], "sess\u00e3": [43, 44], "jupt": 43, "dir": [43, 71], "fern": [43, 69], "p\u00e9rez": [43, 69], "supr": 43, "rotin": [43, 90], "di\u00e1r": 43, "abrig": 43, "entrar": [44, 48], "disribui\u00e7\u00e3": 44, "linux": [44, 48, 71, 72, 75, 89], "tradicional": [44, 89], "devid": [44, 71, 77], "dire\u00e7\u00e3": 44, "obten\u00e7\u00e3": [44, 66], "Comando": 44, "help": [44, 73], "t\u00edtul": [45, 48, 80, 88], "untitled": 45, "salv": [45, 71], "caix": [45, 73], "multilinh": 45, "pression": 45, "shift": 45, "clic": 45, "bot\u00e3": 45, "bot\u00f5": 45, "selected": 45, "cells": 45, "menus": 45, "essencial": 45, "raw": 45, "drop": 45, "down": 45, "renderiz": 45, "attribution": 46, "sharealik": 46, "creativ": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "commons": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "corporation": 46, "law": 46, "firm": 46, "provid": 46, "legal": [46, 91], "servic": [46, 49, 50, 53, 54, 62, 72, 77, 79, 80, 90], "advic": 46, "distribution": [46, 71], "public": [46, 73, 80, 91], "lawy": 46, "other": 46, "relationship": 46, "mak": 46, "its": 46, "related": 46, "information": [46, 69, 85], "an": [46, 69, 80], "giv": 46, "warranti": 46, "regarding": 46, "any": 46, "licensed": 46, "under": 46, "conditions": 46, "disclaims": 46, "all": 46, "liability": 46, "damag": 46, "resulting": 46, "fullest": 46, "extent": 46, "possibl": 46, "using": [46, 68, 69, 71, 85], "creators": 46, "rights": 46, "holders": 46, "may": [46, 69], "works": 46, "authorship": 46, "subject": [46, 80], "copyright": 46, "certain": 46, "specified": 46, "following": 46, "considerations": 46, "are": [46, 82, 89], "informational": 46, "purpos": 46, "only": 46, "exhaustiv": 46, "licensors": 46, "intended": [46, 80], "thos": 46, "authorized": 46, "permission": 46, "ways": 46, "otherwis": 46, "restricted": 46, "irrevocabl": 46, "should": 46, "understand": 46, "they": 46, "choos": 46, "befor": 46, "applying": 46, "also": 46, "secur": 46, "necessary": 46, "can": 46, "reus": 46, "expected": 46, "clearly": 46, "cc": 46, "used": 46, "exception": 46, "limitation": 46, "wik": [46, 69, 73, 91], "creativecommons": [46, 80], "considerations_for_licensors": 46, "licensor": 46, "grants": 46, "reason": 46, "exampl": 46, "becaus": 46, "applicabl": 46, "regulated": 46, "grant": 46, "permissions": 46, "has": 46, "authority": 46, "still": 46, "reasons": 46, "including": 46, "others": 46, "special": 46, "requests": [46, 48], "such": 46, "asking": 46, "marked": 46, "described": 46, "although": 46, "encouraged": 46, "reasonabl": 46, "considerations_for_licens": 46, "exercising": 46, "agre": 46, "bound": 46, "interpreted": 46, "contract": 46, "granted": 46, "consideration": 46, "acceptanc": 46, "benefits": 46, "receiv": 46, "making": 46, "section": 46, "definitions": 46, "adapted": 46, "means": 46, "derived": [46, 69], "based": 46, "upon": 46, "which": 46, "translated": 46, "altered": 46, "arranged": 46, "transformed": 46, "modified": [46, 71], "mann": 46, "requiring": 46, "held": 46, "musical": 46, "work": 46, "performanc": 46, "sound": 46, "recording": 46, "always": 46, "produced": 46, "synched": 46, "timed": 46, "relation": 46, "moving": 46, "adapt": [46, 83, 91], "apply": 46, "contributions": 46, "accordanc": 46, "sa": 46, "compatibl": 46, "listed": 46, "at": [46, 69], "compatiblelicens": 46, "approved": 46, "essentially": 46, "closely": 46, "without": 46, "broadcast": 46, "sui": 46, "gener": 46, "databas": [46, 62, 69], "regard": 46, "how": [46, 69], "labeled": 46, "categorized": 46, "effectiv": 46, "technological": 46, "measur": 46, "absenc": 46, "prop": 46, "circumvented": 46, "laws": 46, "fulfilling": 46, "obligations": 46, "articl": [46, 69, 77, 80], "wip": 46, "treaty": 46, "adopted": 46, "decemb": [46, 69], "1996": [46, 69], "agreements": 46, "exceptions": 46, "limitations": 46, "fair": 46, "dealing": 46, "appli": 46, "elements": 46, "artistic": 46, "literary": 46, "applied": 46, "limited": 46, "entity": 46, "ies": 46, "granting": 46, "requ": 46, "reproduction": 46, "dissemination": 46, "communication": 46, "importation": 46, "members": 46, "individually": 46, "chosen": 46, "them": 46, "than": 46, "directiv": 46, "96": 46, "ec": 46, "european": 46, "parliament": 46, "council": 46, "march": [46, 69], "protection": 46, "amended": 46, "succeeded": 46, "anywher": 46, "corresponding": 46, "meaning": 46, "scop": 46, "hereby": 46, "worldwid": 46, "royalty": 46, "fre": [46, 73], "sublicensabl": 46, "exclusiv": 46, "exercis": 46, "reproduc": 46, "whol": 46, "produc": 46, "avoidanc": 46, "doubt": 46, "need": 46, "comply": 46, "formats": 46, "technical": [46, 69], "modifications": 46, "allowed": 46, "authoriz": 46, "wheth": 46, "hereaft": 46, "created": [46, 80], "waiv": 46, "right": 46, "forbid": 46, "circumvent": 46, "simply": 46, "nev": 46, "downstr": 46, "recipients": 46, "offer": 46, "every": 46, "recipient": 46, "automatically": [46, 69], "additional": [46, 80], "restrictions": 46, "impos": 46, "doing": 46, "restricts": 46, "endorsement": 46, "nothing": [46, 71], "constitut": 46, "construed": 46, "imply": 46, "connected": 46, "sponsored": 46, "endorsed": 46, "official": 46, "status": [46, 80], "designated": 46, "provided": 46, "moral": 46, "integrity": 46, "nor": 46, "publicity": 46, "privacy": 46, "personality": 46, "howev": 46, "allow": 46, "but": [46, 71], "patent": 46, "trademark": 46, "collect": 46, "royalti": 46, "directly": 46, "through": [46, 69], "collecting": 46, "society": [46, 69], "voluntary": 46, "waivabl": 46, "statutory": 46, "compulsory": 46, "licensing": 46, "schem": [46, 77], "expressly": 46, "mad": 46, "must": 46, "retain": 46, "supplied": 46, "identification": 46, "creator": 46, "requested": 46, "pseudonym": 46, "notic": 46, "refers": 46, "disclaim": 46, "uri": 46, "hyperlink": 46, "reasonably": 46, "practicabl": 46, "indicat": 46, "indication": 46, "previous": 46, "satisfy": 46, "medium": 46, "providing": 46, "resourc": 46, "addition": 46, "sam": 46, "lat": [46, 77, 80], "condition": 46, "restrict": 46, "extract": [46, 69], "substantial": 46, "portion": 46, "supplements": 46, "replac": 46, "separately": 46, "undertaken": 46, "offers": 46, "AS": 46, "NO": 46, "representations": 46, "kind": [46, 81], "concerning": 46, "implied": 46, "merchantability": 46, "fitness": 46, "FOR": 46, "particul": [46, 62], "infringement": 46, "latent": 46, "defects": 46, "accuracy": 46, "presenc": [46, 58, 59], "errors": 46, "discoverabl": 46, "disclaimers": 46, "full": 46, "event": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 83], "liabl": 46, "theory": 46, "negligenc": 46, "direct": 46, "indirect": 46, "incidental": 46, "consequential": 46, "punitiv": 46, "exemplary": 46, "loss": 46, "costs": 46, "expens": 46, "arising": 46, "even": 46, "been": 46, "advised": 46, "possibility": 46, "abov": 46, "shall": 46, "approximat": 46, "termination": 46, "her": 46, "fail": 46, "terminat": 46, "terminated": 46, "reinstat": 46, "violation": 46, "cured": 46, "within": 46, "days": 46, "discovery": 46, "reinstatement": 46, "affect": 46, "seek": 46, "remedi": 46, "violations": 46, "separat": 46, "distributing": 46, "sections": 46, "surviv": 46, "communicated": 46, "agreed": 46, "arrangements": 46, "understandings": 46, "stated": 46, "herein": 46, "interpretation": 46, "reduc": 46, "could": 46, "lawfully": 46, "provision": 46, "deemed": 46, "unenforceabl": 46, "reformed": 46, "enforceabl": 46, "cannot": 46, "severed": 46, "affecting": 46, "enforceability": 46, "remaining": 46, "waived": 46, "failur": 46, "consented": 46, "privileg": 46, "immuniti": 46, "jurisdiction": 46, "party": 46, "notwithstanding": 46, "elect": 46, "instanc": 46, "considered": 46, "dedicated": 46, "domain": 46, "cc0": 46, "dedication": 46, "indicating": 46, "shared": 46, "permitted": 46, "polic": [46, 69], "published": [46, 80], "prior": 46, "written": 46, "consent": 46, "connection": 46, "unauthorized": 46, "paragraph": 46, "contacted": 46, "aten\u00e7\u00e3": [48, 83], "achar": 48, "pertinent": 48, "utf": [48, 77], "entreg": [48, 90], "exercici": 48, "acent": 48, "mail": [48, 73, 90], "destinat\u00e1ri": 48, "professor": [48, 90], "assunt": 48, "prog": [48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "praz": 48, "equa\u00e7\u00f5": [48, 51, 62], "faix": 48, "51": [48, 69, 80, 81], "grau": 48, "terrestr": [48, 79], "2r": 48, "arcsin": 48, "phi_2": 48, "phi_1": 48, "lambda_2": 48, "lambda_1": 48, "sim6371": 48, "km": [48, 58], "trigonom\u00e9tr": 48, "invers": [48, 83], "Mais": [48, 72, 80], "tri\u00e2ngul": 48, "realment": [48, 71], "classifiqu": 48, "is\u00f3scel": 48, "escalen": 48, "equil\u00e1ter": 48, "dig": 48, "divis": 48, "pertencent": [48, 77, 79, 80], "segment": [48, 63, 88], "perpendicul": 48, "cheg": [48, 73, 91], "hessean": 48, "p_1": 48, "x_1": 48, "y_1": 48, "p_2": 48, "x_2": 48, "y_2": 48, "h": [48, 68, 69, 83], "nievergelt": [48, 69], "hinrichs": [48, 69], "1993": [48, 69], "onlin": [48, 69, 78, 80, 89], "point": [48, 77, 83], "dimensional": [48, 82], "geq": 48, "luc": [48, 69], "47": [48, 69, 81, 91], "quad": 48, "pell": 48, "169": 48, "408": 48, "2p": 48, "simul": [48, 69], "div": 48, "ped": [48, 71], "usgs": [48, 69], "mod09a1": 48, "a2006001": 48, "h08v05": 48, "005": 48, "2006012234657": 48, "product": 48, "short": [48, 80], "satellit": [48, 58, 69, 80], "julian": 48, "acquisition": 48, "yyyyddd": 48, "til": 48, "identifi": 48, "horizontalxxverticalyy": 48, "collection": [48, 77, 78, 79], "2006012234567": 48, "production": 48, "yyyydddhhmmss": 48, "eos": 48, "year": 48, "2006": [48, 69], "day": 48, "001": [48, 69], "horizontal": 48, "vertical": 48, "012": 48, "hour": 48, "minut": [48, 58], "second": 48, "documentation": [48, 69], "methods": [48, 69], "ser347": 48, "cbers_4_pan5m_20180308": 48, "pan5m": 48, "20180308": 48, "protocol": [48, 77], "queim": [48, 62, 83], "disponibiliz": [48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 79, 89, 91], "dgi": 48, "inc\u00eandi": [48, 79, 81], "detect": [48, 68, 71], "di\u00e1ri": 48, "downloadfil": 48, "path": 48, "app": 48, "dados_abert": 48, "diari": 48, "focos_abertos_24h_20230402": 48, "csv": 48, "mac": [48, 71, 75, 89], "walk": 48, "terraclass": [48, 52, 57], "descrica": 48, "mt": 48, "arq1": 48, "shp": [48, 77], "arq2": 48, "pa": 48, "arq3": 48, "parac": 48, "ident": 48, "descompat": 48, "cub": [49, 51, 52, 54, 55, 56, 57, 58, 59, 60, 62, 69, 88, 91], "cloud": [49, 68, 69, 72], "bdc": [49, 50, 52, 77], "spectral": [49, 61, 69], "amostrag": 49, "wlts": 49, "eo": [49, 80], "stac": [49, 50, 53], "detec\u00e7\u00e3": [49, 68, 88], "desastr": [49, 63], "tempor": [49, 50, 52, 53, 62, 90], "goes": 49, "augmentation": 49, "desliz": 49, "cobertur": [50, 52, 56, 57, 60, 88, 91], "nuvens": [50, 58, 59, 63], "percentual": 50, "footprint": 50, "porcentag": 50, "mensal": 50, "anual": [50, 91], "lucen": [50, 69], "et": [50, 62, 91], "al": [50, 62, 91], "m\u00e1c": 50, "cat\u00e1log": 50, "parti\u00e7\u00f5": 50, "arbitr\u00e1r": 50, "municip": [50, 83], "estadu": 50, "biom": [50, 81, 88], "mit": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 85], "templat": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71], "relat\u00f3ri": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68], "geoinf": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69], "Com": [51, 66], "necess\u00e1r": [51, 62, 77, 90], "output": [51, 62, 81], "verbos": [51, 62], "portal": [51, 53, 54, 62, 69], "trajectory": 52, "trajet\u00f3r": 52, "mapbiom": [52, 57], "lapig": 52, "pastagens": 52, "ibge": [52, 77, 79], "awfi": [52, 79], "propor": 52, "extra\u00e7\u00e3": [52, 53, 60], "metodolog": [52, 84, 91], "regi\u00e3": [52, 55, 60, 66, 83, 91], "cod": [52, 54, 69, 71, 73], "gallery": [52, 54], "eocub": 53, "datacub": 53, "xarray": 53, "biliotec": 53, "spatiotemporal": 54, "asset": 54, "catalog": 54, "gal": [54, 91], "acrescent": [54, 81], "holoviews": 54, "4a": [55, 65, 68], "imagem_t1": 55, "t2": 55, "houv": 55, "anal": 55, "alert": 55, "particip": 56, "chart": 56, "spac": 56, "major": 56, "disasters": 56, "inund": 56, "urban": [56, 62], "alag": 56, "ruas": 56, "street": [56, 65], "afet": 56, "che": 56, "\u00e1gu": [56, 62], "cruz": [56, 82, 89], "estim": [56, 64, 91], "visual": 56, "visu": 57, "eventual": 57, "ressalt": 57, "alvo": 57, "mascar": 57, "present": [57, 71, 90], "propost": [57, 83, 89, 90], "m\u00e1sc": [57, 63], "geostationary": 58, "operational": 58, "environmental": 58, "apes": [58, 73, 91], "espacial": [58, 77, 79, 82, 90], "fog": [58, 88], "pre": 58, "infer": 58, "ac\u00famul": 58, "intermedi\u00e1ri": [58, 82], "deep": 59, "learning": [59, 85, 89], "aument": 59, "recort": [59, 67, 90], "regi\u00f5": [59, 67, 83], "ru\u00edd": 59, "filtr": 59, "proponh": 59, "sombr": [59, 68], "brusc": 60, "tend\u00eanc": [60, 79, 81], "estabil": 60, "curv": [60, 83], "caracteriz": [60, 79], "m\u00e9tric": 60, "stmetrics": 60, "espacializ": 60, "r1": 62, "r2": 62, "bibliogr\u00e1f": 62, "msi": 62, "wfi": [62, 66, 68], "cbers4": 62, "r3": 62, "bidimension": 62, "r4": 62, "palet": 62, "r5": 62, "apropri": [62, 90], "r6": 62, "r7": 62, "r8": 62, "cebers4": 62, "supported": 62, "canopy": 62, "chlorophyll": 62, "content": [62, 80], "crop": 62, "wat": [62, 69], "stress": 62, "evi": 62, "jensen": [62, 69], "sele\u00e7\u00e3": [62, 73], "lozan": [62, 69], "2007": [62, 69], "capolup": [62, 69], "banc": [62, 77, 79, 88, 90], "incident": [63, 83], "sol": 63, "\u00f3tim": 63, "amazon": [63, 69, 81], "pan10": 64, "pan5": 64, "l2": [64, 82], "fus\u00e3": 64, "pan": 64, "b2": 64, "b3": 64, "b4": 64, "pancrom\u00e1t": 64, "b1": 64, "co": 64, "espalh": 64, "aleat\u00f3ri": 64, "3x3": 64, "5x5": 64, "m\u00f3v": 64, "sistem\u00e1t": 64, "obtiv": 64, "semelhanc": 64, "buildings": 65, "textur": 65, "danific": 65, "terremot": 65, "turqu": 65, "fevereir": [65, 69], "diyarbak": 65, "paragua": 66, "mosaic": [66, 90], "cen": [66, 67], "123": [66, 81], "129": 66, "162": 66, "1km": 66, "5km": 66, "10km": 66, "proporcion": 66, "noa": 66, "calculator": 66, "minimiz": [66, 67], "Seu": 67, "homog\u00ean": [67, 77, 83], "valid": 67, "escolh": [67, 71, 73, 75, 89], "rsgislib": 67, "felzenszwalb": 67, "opencv": 67, "sistemat": 67, "iou": 67, "intersection": [67, 82], "over": 67, "union": [67, 82], "varia\u00e7\u00e3": [67, 83], "esper": [67, 90, 91], "brasileir": [68, 79, 83, 88], "fmask": 68, "sen2cor": 68, "mora": 68, "feitos": 68, "souz": 68, "mirand": 68, "luz": 68, "ronis": 68, "semiautom\u00e1t": 68, "detection": 68, "terraamazon": 68, "simp\u00f3si": 68, "DE": 68, "sbsr": 68, "2017": [68, 69, 81], "ana": [68, 90], "5009": 68, "5016": 68, "internet": [68, 69, 78, 80, 90], "isbn": [68, 69], "978": [68, 69], "85": [68, 69, 77], "00088": 68, "ibi": 68, "8jmkd3mgp6w34m": 68, "3psm45q": 68, "maruj": [68, 69], "fonsec": 68, "korting": 68, "bendin": 68, "mux": 68, "automatic": [68, 69], "clouds": 68, "shadows": 68, "decision": 68, "tre": [68, 71], "6328": 68, "6335": 68, "3psmcmh": 68, "michael": [69, 85], "payn": 69, "ared": 69, "erickson": 69, "cort": [69, 91], "daniel": 69, "cookbook": 69, "mai": 69, "pcjericks": 69, "gdalogr": 69, "jan": 69, "doi": [69, 80], "1145": 69, "320764": 69, "320766": 69, "beeb": 69, "best": 69, "goldberg": 69, "haibt": 69, "herrick": 69, "nelson": 69, "sayr": 69, "sheridan": 69, "stern": 69, "zill": 69, "hugh": 69, "nutt": 69, "coding": 69, "papers": 69, "presented": 69, "february": 69, "1957": 69, "western": 69, "joint": 69, "conferenc": 69, "techniqu": 69, "reliability": 69, "ire": 69, "aiee": 69, "188": [69, 81], "198": 69, "york": 69, "ny": 69, "association": 69, "computing": [69, 90], "machinery": 69, "1455567": 69, "1455599": 69, "dan": 69, "bad": 69, "structur": 69, "aug": 69, "abril": 69, "realpython": 69, "loren": 69, "barb": 69, "terminologi": 69, "reproducibl": 69, "research": 69, "2018": [69, 73, 77, 91], "arxiv": 69, "1802": 69, "03311": 69, "carl": 69, "boettig": 69, "introduction": [69, 85], "sigops": 69, "syst": 69, "rev": 69, "2723872": 69, "2723882": 69, "butl": 69, "daly": 69, "doyl": 69, "gilli": 69, "hagen": 69, "schaub": 69, "report": 69, "rfc": 69, "7946": 69, "engineering": 69, "task": 69, "forc": 69, "ietf": 69, "august": 69, "2016": [69, 81, 85, 88, 91], "rfc7946": 69, "17487": 69, "alessandr": 69, "cristin": 69, "monteris": 69, "eufem": 69, "tarantin": 69, "classification": 69, "algorithm": 69, "lic": 69, "earth": [69, 80], "sensing": [69, 80], "mdpi": [69, 80], "2072": [69, 80], "4292": [69, 80], "1201": 69, "3390": [69, 80], "rs12071201": 69, "scott": 69, "chacon": 69, "ben": 69, "strub": 69, "pro": [69, 89], "apress": 69, "scm": 69, "book": 69, "en": [69, 73, 80], "v2": 69, "elis": 69, "clementin": 69, "paolin": 69, "di": 69, "felic": 69, "oosterom": 69, "small": 69, "topological": 69, "relationships": 69, "suitabl": 69, "interaction": 69, "david": [69, 85], "abel": 69, "beng": 69, "chin": 69, "ooi": 69, "editors": 69, "advanc": 69, "277": 69, "295": 69, "berlin": 69, "heidelberg": 69, "spring": [69, 85], "1007": 69, "540": 69, "56869": 69, "7_16": 69, "dougl": 69, "crockford": 69, "dahl": 69, "bj\u00f8rn": 69, "myhrhaug": 69, "norwegian": 69, "cent": 69, "oslo": 69, "norway": 69, "octob": 69, "1970": 69, "ics": 69, "uci": 69, "edu": 69, "jajon": 69, "inf102": 69, "s18": 69, "readings": 69, "10_simul": 69, "pdf": [69, 80], "andrew": 69, "dalk": 69, "raymond": 69, "hetting": 69, "sorting": 69, "docs": 69, "howt": 69, "sortinghowt": 69, "scientific": [69, 85], "submission": 69, "guidelin": 69, "sdat": 69, "rafael": 69, "s\u00e1": 69, "menez": 69, "elton": 69, "vicent": 69, "escob": 69, "silv": 69, "rennan": 69, "freit": 69, "bezerr": 69, "matheus": 69, "cavassan": 69, "zagl": 69, "lub": 69, "vinh": 69, "karin": [69, 80], "reis": 69, "ferreir": [69, 80], "queiroz": [69, 71, 73, 80, 88], "bdc3": 69, "view": 69, "tiag": 69, "senn": 69, "carneir": 69, "albert": 69, "felgueir": 69, "proceedings": 69, "xxi": 69, "novemb": 69, "sp": [69, 80], "222": 69, "227": 69, "urlib": 69, "net": 69, "8jmkd3mgpdw34p": 69, "43pr3a2": 69, "eric": 69, "delmell": 69, "sampling": 69, "1385": 69, "1399": 69, "2014": [69, 81, 85], "642": 69, "23430": 69, "9_73": 69, "fapesp": 69, "scienc": [69, 80, 85, 89], "openscienc": 69, "operations": 69, "stdtypes": 69, "dictionari": 69, "datastructur": 69, "displays": 69, "lists": 69, "sets": 69, "expressions": 69, "formatted": 69, "literals": 69, "lexical_analys": 69, "encod": 69, "decod": 69, "keywords": 69, "looping": 69, "mapping": [69, 77], "mutabl": 69, "typesseq": 69, "statement": 69, "compound_stmts": 69, "printf": 69, "style": 69, "formatting": 69, "old": 69, "39": [69, 81, 83], "herring": 69, "openg": 69, "implementation": 69, "featur": [69, 77, 79, 83], "sql": [69, 79, 83], "option": 69, "104r4": 69, "geospatial": [69, 82, 91], "inc": 69, "2010": [69, 81], "opengeospatial": 69, "standards": 69, "sfs": [69, 82], "architectur": 69, "103r4": 69, "sfa": 69, "41": [69, 80, 81], "ecma": 69, "interchang": 69, "404": 69, "2nd": [69, 85], "edition": [69, 85], "genev": 69, "swiss": 69, "publications": [69, 85], "st": 69, "keith": 69, "clark": 69, "chapt": 69, "357": 69, "410": 69, "brasil": [69, 77], "2009": [69, 81], "project": 69, "readthedocs": 69, "latest": 69, "44": [69, 81, 91], "kedron": 69, "wenwen": 69, "li": 69, "stewart": 69, "fotheringh": 69, "goodchild": [69, 85], "reproducibility": [69, 91], "replicability": 69, "opportuniti": 69, "challeng": 69, "journal": [69, 80], "geographical": 69, "427": 69, "445": 69, "1080": 69, "13658816": 69, "1802032": 69, "thom": 69, "kluyv": 69, "benjamin": 69, "ragan": 69, "kelley": 69, "rez": 69, "brian": 69, "grang": 69, "matth": 69, "bussonni": 69, "jonathan": 69, "frederic": 69, "kyle": 69, "jessic": 69, "hamrick": 69, "jason": 69, "grout": 69, "sylvain": 69, "corlay": 69, "ivanov": 69, "dam": 69, "\u00e1": 69, "avil": 69, "saf": 69, "abdall": 69, "carol": 69, "willing": 69, "development": [69, 89], "team": 69, "publishing": 69, "computational": 69, "workflows": 69, "loizid": 69, "birgit": 69, "scmidt": 69, "positioning": 69, "academic": 69, "players": 69, "agents": 69, "agend": 69, "ios": 69, "eprints": 69, "soton": 69, "ac": 69, "uk": 69, "403913": 69, "kuchling": 69, "functional": 69, "generator": 69, "lass": 69, "creating": 69, "executabl": 69, "pap": 69, "journey": 69, "communications": 69, "physics": 69, "1038": 69, "s42005": 69, "020": 69, "00403": 69, "learnpython": 69, "lofar": 69, "working": [69, 71], "april": 69, "javi": 69, "susan": 69, "su\u00e1rez": 69, "seoan": 69, "estanisla": 69, "luis": 69, "assessment": 69, "several": 69, "fir": 69, "occurrenc": 69, "probability": 69, "modelling": 69, "107": 69, "533": [69, 71], "544": 69, "sciencedirect": 69, "pii": 69, "s003442570600366x": 69, "1016": 69, "rse": 69, "mcfeeters": 69, "delineation": 69, "1425": 69, "1432": 69, "01431169608948714": 69, "robert": 69, "mcneel": 69, "develop": [69, 71], "rhino3d": 69, "rhinopython": 69, "xml": 69, "53": [69, 81, 91], "NASA": [69, 91], "Nasa": 69, "fleet": 69, "earthobservatory": 69, "nasa": 69, "gov": 69, "81559": 69, "nasas": 69, "monitoring": 69, "deforestation": 69, "jurg": 69, "klaus": 69, "algorithms": 69, "applications": 69, "graphics": 69, "geometry": [69, 77, 78, 82], "prentic": 69, "hall": 69, "56": [69, 81, 91], "n\u00fcst": 69, "edzer": 69, "pebesm": 69, "practical": 69, "geography": 69, "geoscienc": 69, "annals": 69, "geographers": 69, "24694452": 69, "1806028": 69, "plos": 69, "materials": 69, "sharing": 69, "journals": 69, "ploson": 69, "ip": 69, "ython": 69, "interactiv": 69, "1109": 69, "mcse": 69, "satyabrat": 69, "pal": 69, "datacamp": 69, "tutorials": 69, "rog": 69, "peng": [69, 91], "334": 69, "6060": 69, "1226": 69, "1227": 69, "1126": 69, "1213847": 69, "ulrich": 69, "petr": 69, "horst": 69, "gutmann": 69, "pyformat": 69, "62": [69, 91], "nancy": 69, "pontik": 69, "knoth": 69, "matt": 69, "cancellier": 69, "samuel": 69, "pearc": 69, "fostering": 69, "taxonomy": 69, "elearning": 69, "15th": 69, "knowledg": [69, 77, 91], "technologi": 69, "driven": 69, "business": 69, "know": 69, "2809563": 69, "2809571": 69, "63": [69, 81, 91], "stephen": 69, "powers": 69, "stephani": 69, "hampton": 69, "transparency": 69, "ecology": 69, "ecological": 69, "e01822": 69, "2019": [69, 91], "esajournals": 69, "onlinelibrary": 69, "wiley": [69, 85], "1002": 69, "eap": 69, "1822": 69, "organization": 69, "systems": [69, 72, 85], "isa": 69, "machin": [69, 89], "cis": 69, "ufl": 69, "mssz": 69, "comporg": 69, "cda": 69, "lang": 69, "editorial": 69, "sciencemag": 69, "authors": 69, "kevin": 69, "addison": 69, "wesley": 69, "professional": 69, "4th": [69, 85], "032157351x": 69, "67": 69, "adity": 69, "sharm": 69, "definitiv": 69, "dictionary": 69, "royal": 69, "mining": 69, "royalsociety": 69, "ethics": 69, "69": [69, 91], "soill": [69, 91], "burg": 69, "kempeneers": 69, "rodriguez": 69, "syrris": 69, "vasilev": 69, "versatil": 69, "intensiv": 69, "platform": 69, "retrieval": 69, "futur": [69, 73, 91], "generation": 69, "s0167739x1730078x": 69, "007": 69, "sturtz": 69, "dicts": 69, "nbformat": 69, "christoph": 69, "trudeau": 69, "records": 69, "selecting": 69, "ideal": 69, "cours": 69, "multisets": 69, "lessons": 69, "multiset": 69, "jam": 69, "ueji": 69, "r9526": 69, "centrum": 69, "voor": 69, "wiskund": 69, "informat": 69, "cwi": 69, "amsterd": 69, "1995": 69, "ir": [69, 71], "nl": 69, "pub": 69, "5007": 69, "05007d": 69, "moin": 69, "forloop": 69, "wikiped": [69, 73], "algol_60": 69, "ibm_704": 69, "83": 69, "mips": 69, "mips_instruction_set": 69, "level": 69, "processor": 69, "instruction": 69, "level_computing": 69, "aqa": 69, "computer_components": 69, "_the_stored_program_concept_and_the_internet": 69, "machine_level_architectur": 69, "machine_code_and_processor_instruction_set": 69, "stepwis": 69, "commun": 69, "221": 69, "apr": 69, "1971": 69, "362575": 69, "362577": 69, "programs": 69, "ptr": 69, "1978": 69, "0130224189": 69, "apronfund": 71, "vem": [71, 89], "distribui\u00e7\u00f5": [71, 89], "microsoft": [71, 73, 75, 79, 89], "readm": [71, 73], "md": [71, 73], "ocult": 71, "ah": 71, "gitignor": [71, 73], "byte": 71, "compiled": 71, "optimized": 71, "dll": 71, "__pycache__": 71, "extensions": 71, "packaging": 71, "eggs": 71, "dist": 71, "mypy": 71, "mypy_cach": 71, "dmypy": 71, "pyre": 71, "branch": 71, "mast": 71, "commit": 71, "clean": 71, "conform": [71, 75, 80, 81, 82], "brev": [71, 73], "links": 71, "interess": [71, 81, 89], "staged": 71, "what": 71, "committed": 71, "checkout": 71, "discard": 71, "directory": 71, "added": 71, "\u00e1rvor": 71, "ramific": 71, "orig": 71, "desfaz": 71, "sugest\u00e3": [71, 73], "head": [71, 81], "unstag": 71, "modifc": 71, "mofic": 71, "2c270dc": 71, "changed": 71, "insertions": 71, "deletions": 71, "rewrit": 71, "frent": 71, "orginal": 71, "ahead": 71, "push": 71, "commits": 71, "already": 71, "senh": 71, "usernam": 71, "password": 71, "credenc": 71, "counting": 71, "objects": 71, "don": 71, "compression": 71, "threads": 71, "compressing": 71, "kib": 71, "reused": 71, "resolving": 71, "completed": 71, "e8c3404": 71, "untracked": 71, "track": 71, "decid": 71, "inclus\u00e3": [71, 73], "1e6c2e8": 71, "100644": 71, "podem": 71, "crednec": 71, "surg": 72, "simult\u00e2n": 72, "multiusu\u00e1ri": 72, "pdfs": 72, "abrevi": [72, 80], "vcs": 72, "pioneir": 72, "cvs": 72, "sucessor": 72, "apach": 72, "subversion": 72, "servidor": 72, "conect": 72, "criador": 72, "linus": 72, "torvalds": 72, "antecesssor": 72, "svn": 72, "desenvolvedor": [73, 91], "amig": [73, 91], "colabor": [73, 88, 91], "v\u00e3": [73, 91], "issu": [73, 80, 91], "rascunh": [73, 91], "gist": [73, 91], "cont\u00ednu": [73, 79, 83, 91], "neg\u00f3ci": 73, "bilion\u00e1ri": 73, "adquir": 73, "cerc": 73, "us": 73, "bilh\u00f5": 73, "gratuit": [73, 89, 91], "link": [73, 80], "curt": 73, "gqueiroz": 73, "join": 73, "pretend": 73, "profil": 73, "acompanh": [73, 89], "forks": 73, "seguidor": 73, "formul\u00e1ri": 73, "propriet\u00e1ri": 73, "p\u00fablic": 73, "priv": 73, "adicon": 73, "ignor": 73, "optar": 73, "vincul": 73, "abas": 73, "exibi\u00e7\u00e3": 73, "footnot": 73, "packag": 73, "pand": [76, 90], "vetorial": [77, 79, 90], "unidad": [77, 79, 83], "feder": [77, 79], "uf": [77, 80], "uf_2018": 77, "dbf": 77, "fei\u00e7\u00e3": [77, 78, 79], "geometr": [77, 81], "multipolygon": [77, 79, 83], "shx": 77, "posicional": [77, 81], "cpg": 77, "prj": 77, "proje\u00e7\u00e3": 77, "geod\u00e9s": 77, "sirg": 77, "Ela": [77, 82], "mold": 77, "virtual": [77, 82, 90], "sucess": [77, 82], "indiqu": 77, "abertur": [77, 80], "esquem": [77, 79], "fechament": 77, "eventu": 77, "buffers": 77, "ufs": 77, "num_feico": 77, "expl\u00edcit": 77, "armazend": 77, "ordereddict": 77, "id": [77, 80], "sergip": 77, "sigl": [77, 83], "SE": 77, "geocodig": 77, "regia": [77, 81], "nord": 77, "regiao_sig": 77, "ne": 77, "maranh\u00e3": 77, "ma": 77, "tocantins": [77, 81], "next": 77, "shapely": [77, 82], "geom": [77, 83], "centroid": 77, "44374619643403": 77, "58460970352795": 77, "28788579867823": 77, "072310251937679": 77, "32922962739212": 77, "15031487315235": 77, "mbr": 77, "bounds": 77, "tipo_geometr": 77, "ntip": 77, "4674": 77, "99044996899994": 77, "847639913999956": 77, "75117799399993": 77, "271841077000033": 77, "polygon": [77, 82, 83], "grav": [77, 80], "uf_centroid": 77, "driv": 77, "schema_centroid": 77, "collections": 77, "enumerat": 77, "bdc_paper_sampl": 77, "brazildatacub": 77, "hub": [77, 91], "training": 77, "sampl": 77, "comp\u00f5": 77, "datasourc": 77, "layers": 77, "wfs": [77, 79], "lay": 77, "featuredefn": 77, "ir\u00e3": [77, 91], "compartilh": [77, 89, 90, 91], "munic\u00edpi": [77, 79, 83], "fielddefn": 77, "certific": 77, "prossegu": 77, "versioninf": 77, "atrav": 77, "getlay": 77, "nome_lay": 77, "getnam": 77, "bbox": 77, "getextent": 77, "textens\u00e3": 77, "getspatialref": 77, "exporttowkt": 77, "tsrs": 77, "getgeomtyp": 77, "ttip": 77, "tpol\u00edgon": 77, "wkbmultipolygon": 77, "num_featur": 77, "getfeaturecount": 77, "layer_def": 77, "getlayerdefn": 77, "width": 77, "getfieldcount": 77, "field_nam": 77, "getfielddefn": 77, "field_type_cod": 77, "gettyp": 77, "field_typ": 77, "getfieldtypenam": 77, "field_width": 77, "getwidth": 77, "field_precision": 77, "getprecision": 77, "ljust": 77, "getfield": 77, "getgeometryref": 77, "interc\u00e2mbi": [78, 80], "5a": [78, 83], "5b": [78, 83], "5d": [78, 83], "5e": [78, 83], "5f": [78, 83], "5g": [78, 83], "5h": [78, 83], "102": 78, "103": 78, "5i": [78, 83], "geometri": 78, "entidad": [78, 79, 83], "respeit": [78, 80], "fen\u00f4men": 79, "percep\u00e7\u00e3": 79, "discret": [79, 83], "tal": 79, "elev": 79, "superf\u00edc": [79, 83, 91], "risc": 79, "radi\u00e2nc": 79, "categor": 79, "conserv": [79, 83], "estadual": 79, "federal": [79, 88], "territorial": 79, "arruament": [79, 83], "rodovi\u00e1ri": 79, "escol": 79, "hospit": 79, "transmiss\u00e3": [79, 83], "energ": [79, 83], "el\u00e9tr": [79, 83], "conceitualiz": 79, "usual": 79, "hidrel\u00e9tr": 79, "termoel\u00e9tr": 79, "logradour": 79, "unidades_feder": 79, "ufid": 79, "populaca": 79, "e_vid": 79, "expect": 79, "gml": 79, "geomed": 79, "atlas": 79, "bna": 79, "sgbd": 79, "mysql": 79, "postgresql": 79, "db2": 79, "oracl": 79, "perm": 79, "geotecnolog": [79, 88], "subdivid": 79, "frequent": 79, "intens": 79, "cinz": 79, "aquel": 79, "metr": 79, "aproxim": 79, "composi\u00e7\u00e3": 79, "ava": 80, "cript": 80, "bject": 80, "otation": 80, "elevation": 80, "results": 80, "lng": 80, "resolution": 80, "dicionari": 80, "null": 80, "1234": 80, "unicod": 80, "sobrenom": 80, "telm": 80, "rua": 80, "av": 80, "astronaut": 80, "1758": 80, "bairr": 80, "jardim": 80, "granj": 80, "cep": 80, "12227": 80, "010": 80, "jsonlint": 80, "validator": 80, "erros": 80, "fragment": 80, "endereco_json": 80, "dumps": 80, "serializ": 80, "doc": 80, "u00e3": 80, "u00e9": 80, "deserializ": 80, "artig": [80, 90, 91], "indexed": 80, "parts": 80, "17t06": 80, "05z": 80, "timestamp": [80, 81], "1587104585191": 80, "16t00": 80, "00z": 80, "1586995200000": 80, "abstract": 80, "years": 80, "observation": 80, "rs12081253": 80, "16t17": 80, "39z": 80, "1587056499000": 80, "1253": 80, "sourc": 80, "crossref": 80, "referenced": 80, "overview": 80, "platforms": 80, "management": 80, "analys": 80, "author": 80, "orcid": 80, "0000": 80, "0003": 80, "3239": 80, "2160": 80, "authenticated": 80, "given": 80, "vitor": 80, "family": 80, "gom": 80, "first": 80, "affiliation": 80, "0001": 80, "7534": 80, "0219": 80, "2656": 80, "5504": 80, "memb": 80, "contain": 80, "unspecified": 80, "vor": 80, "similarity": 80, "checking": 80, "deposited": 80, "19z": 80, "1587059479000": 80, "scor": 80, "subtitl": 80, "issued": 80, "alternativ": 80, "issn": 80, "general": 80, "planetary": 80, "arq_json": 80, "dump": 80, "ambas": 81, "axis": 81, "rotul": 81, "r\u00f3tul": 81, "mun\u00edcipi": 81, "municipi": 81, "s\u00edti": 81, "arax": 81, "bidimensional": 81, "heterog\u00ean": [81, 83], "satelit": 81, "satelite_r": 81, "ref": [81, 83], "npp_375": 81, "cerr": 81, "altam": 81, "aqua_m": 81, "pd": 81, "simples": 81, "tail": 81, "altern": 81, "iloc": 81, "sort_valu": 81, "ascending": 81, "sort_index": 81, "inplac": 81, "2008": 81, "2012": 81, "num_foc": 81, "249": 81, "194": 81, "115": 81, "183": 81, "236": 81, "260": 81, "serie_foc": 81, "int64": 81, "inlin": 81, "bar": 81, "amaz\u00f4n": [81, 88, 91], "satelites_r": 81, "df": 81, "lik": 81, "sat": 81, "regex": 81, "rangeindex": 81, "columns": 81, "keys": 81, "recomend": [81, 89], "to_numpy": 81, "dtypes": 81, "bool": 81, "mixed": 81, "obt\u00e9m": 81, "iterrows": 81, "row": 81, "itertupl": 81, "suprim": 81, "read_csv": 81, "patterns": 81, "defpatterns": 81, "xlsx": 81, "openpyxl": 81, "xlrd": 81, "read_excel": 81, "describ": 81, "sum\u00e1ri": [81, 89], "central": 81, "cosid": 81, "exclu": 81, "object_id0": 81, "padra": 81, "nan": 81, "aus\u00eanc": 81, "percent": 81, "quartil": 81, "median": 81, "terceir": 81, "q1": 81, "nuniqu": 81, "1472": 81, "col": [81, 83], "c_awetric": 81, "464": 81, "c_awmetric": 81, "469": 81, "c_cametric": 81, "465": 81, "c_edmetric": 81, "460": 81, "c_lsmetric": 81, "470": 81, "c_mpetric": 81, "c_mpetri_1": 81, "467": 81, "c_mpmetric": 81, "462": 81, "c_msmetric": 81, "463": 81, "c_pdmetric": 81, "c_pentland": 81, "c_psmetric": 81, "406": 81, "c_psetric": 81, "403": 81, "deci_class": 81, "distint": 81, "contag": 81, "q2": 81, "uniqu": 81, "florest": [81, 91], "difus": 81, "multidirecional": 81, "consolid": 81, "q3": 81, "reliz": 81, "groupby": 81, "grupo_linh": 81, "301": 81, "993": 81, "value_counts": 81, "descendent": 81, "frequ\u00eanc": 81, "q4": 81, "q5": 81, "c00l00": 81, "5893": 81, "q6": 81, "min\u00edm": 81, "desconsider": 81, "q7": 81, "isnull": 81, "notnull": 81, "subtra": 81, "1433": 81, "1424": 81, "id\u00e9": 81, "q8": 81, "q9": 81, "dropn": 81, "contenh": 81, "ndf": 81, "q10": 81, "712": 81, "212": 81, "q11": 81, "idx": 81, "q12": 81, "copia_df": 81, "pythonic": 82, "geos": 82, "geometrycollection": [82, 83], "consid": 82, "pt": 82, "desenh": 82, "reconhec": 82, "v\u00e9rtic": 82, "xy": 82, "length": 82, "boundary": 82, "coords": 82, "explicit": 82, "implicit": 82, "obrigat\u00f3ri": 82, "an\u00e9": [82, 83], "anel_extern": 82, "anel_intern": 82, "poly": 82, "exterior": 82, "interiors": 82, "homogen": 82, "mpt": 82, "geoms": 82, "mlin": 82, "mpoly": 82, "clar": [82, 83], "shell_1": 82, "hole_11": 82, "hole_12": 82, "poly_1": 82, "shell_2": 82, "poly_2": 82, "intersec\u00e7\u00f5": 82, "contains": 82, "toc": 82, "touch": 82, "cross": 82, "intersects": 82, "p2": 82, "symmetric_differenc": 82, "topol\u00f3g": [83, 90], "hierarqu": 83, "grafic": 83, "linestring": 83, "linearring": 83, "burac": 83, "multipoint": 83, "multilinestring": 83, "2a": 83, "largur": 83, "altur": 83, "crim": 83, "doenc": 83, "subcl": 83, "rodov": 83, "dut": 83, "consecut": 83, "2b": 83, "coincident": 83, "2c": 83, "anel": 83, "cultiv": 83, "florestal": 83, "territori": 83, "ilhas": 83, "2d": 83, "2e": 83, "2g": 83, "2h": 83, "2i": 83, "acomod": 83, "merec": 83, "ampl": [83, 91], "3a": 83, "3b": 83, "abordag": 83, "dim": 83, "fonteir": 83, "emptyset": 83, "sin\u00f4n": 83, "escur": [83, 89], "5c": 83, "multicurv": 83, "dit": 83, "desconect": 83, "obedec": 83, "laranj": 83, "7a": 83, "7b": 83, "7c": 83, "7d": 83, "7e": 83, "7f": 83, "7g": 83, "7h": 83, "interse\u00e7\u00e3": 83, "7i": 83, "d\u00e3": 83, "satisfaz": 83, "212101212": 83, "predic": 83, "oit": 83, "sobrecarg": 83, "comp": 83, "neq": 83, "impli": 83, "pontu": 83, "satisfiz": 83, "iff": 83, "overlap": 83, "vic": 83, "vers": 83, "sobrepor": 83, "intersect": 83, "docent": 84, "bibliograf": 84, "discent": 84, "cronogram": 84, "guttag": 85, "computation": 85, "understanding": 85, "472": 85, "hans": 85, "pett": 85, "langtangen": 85, "872": 85, "lutz": 85, "5th": 85, "reilly": 85, "1648": 85, "chris": 85, "garrard": 85, "geoprocessing": 85, "1st": 85, "manning": 85, "360": 85, "longley": 85, "maguir": 85, "rhind": 85, "496": 85, "inaugural": 86, "assist": [86, 90], "s\u00eanior": 88, "institut": 88, "nacional": 88, "mestr": 88, "doutor": 88, "apo": 88, "permanent": 88, "geoinform\u00e1t": [88, 90], "p\u00f3s": 88, "gradua\u00e7\u00e3": 88, "bigdat": 88, "ministr": 88, "395": [88, 90], "394": [88, 90], "423": [88, 90], "thal": 88, "ambos": 88, "engenheir": 88, "univers": 88, "furg": 88, "multitemporal": 88, "miner": 88, "inteligent": 88, "artificial": 88, "411": 88, "413": [88, 90], "digital": [88, 90, 91], "415": 88, "421": 88, "profund": 88, "sehn": 88, "k\u00f6rting": 88, "fabian": 88, "morell": 88, "ocean\u00f3graf": 88, "ita": 88, "ambiental": 88, "tema": 88, "meteorol\u00f3g": 88, "terram": 88, "pessoal": 89, "dissert": [89, 90], "tes": [89, 90], "S\u00f3": 89, "preocup": 89, "aspect": 89, "par\u00e1graf": 89, "disposi\u00e7\u00e3": 89, "ortogr\u00e1f": 89, "14159": 89, "circunferenc": 89, "negrit": 89, "graf": 89, "Sem": 89, "in\u00fam": 89, "imprescind": 89, "cumpriment": 89, "circunferent": 89, "ra": 89, "depur": 89, "integrated": 89, "inclus": 89, "contat": 89, "acham": 89, "compromiss": 89, "N\u00f3s": 89, "atend": [89, 91], "perfil": 89, "esforc": [89, 91], "compr": 89, "benef\u00edci": 89, "cont\u00eainers": 89, "reprodut": 89, "virtualiz": 89, "isol": 89, "\u00e1rdu": 89, "dependent": 89, "dia": 89, "enterpris": 89, "education": 89, "dom\u00edni": [90, 91], "modern": 90, "abordagens": 90, "exposi\u00e7\u00e3": 90, "paci\u00eanc": 90, "perseveranc": 90, "intr\u00ednsec": 90, "pratic": 90, "tr\u00e1s": 90, "propic": 90, "multidimension": 90, "scipy": 90, "planilh": 90, "overlay": 90, "ries": 90, "visualizac": 90, "lis": 90, "literat": 90, "te\u00f3ric": 90, "sal": 90, "penal": 90, "atras": 90, "Voc\u00eas": 90, "ter\u00e3": 90, "empenh": 90, "substitut": 90, "estud": [90, 91], "dirig": 90, "aprofund": 90, "coleg": 90, "hip\u00f3tes": 90, "ced": 90, "transcri\u00e7\u00f5": 90, "d\u00fav": 90, "hor\u00e1ri": 90, "offic": 90, "hours": 90, "merc": 91, "colet": 91, "planet": 91, "ocean": 91, "atmosf": 91, "insum": 91, "prod": 91, "invent\u00e1ri": 91, "desmat": 91, "ras": 91, "vegat": 91, "1988": 91, "peru": 91, "novembr": 91, "1986": 91, "pastag": 91, "estrad": 91, "provenient": 91, "panoram": 91, "tecnol\u00f3g": 91, "mud": 91, "Temos": 91, "disponibil": 91, "foss4g": 91, "gvsig": 91, "terraview": 91, "promov": 91, "pol\u00edt": 91, "reprodutibil": 91, "foment": 91, "transparent": 91, "ag\u00eanc": 91, "peri\u00f3d": 91, "internacion": 91, "diretriz": 91, "financ": 91, "denot": 91, "artefat": 91, "leitor": 91, "consig": 91, "reproduz": 91, "conclus\u00f5": 91, "nel": 91, "intuit": 91, "t\u00edpic": 91, "m\u00edd": 91, "especializ": 91, "hosped": 91, "replic": 91, "spectrum": 91, "suger": 91, "recri": 91, "descobert": 91}, "objects": {}, "objtypes": {}, "objnames": {}, "titleterms": {"agradec": [0, 6], "imagens": [2, 5, 55, 57, 68], "process": 2, "visualiz": [2, 5, 71], "t\u00f3pic": [2, 7, 26, 39, 70, 76, 84, 90], "gdal": [3, 77], "geospatial": 3, "dat": [3, 50, 53, 59, 91], "abstraction": 3, "library": [3, 32], "import": 3, "bibliotec": [3, 54, 77], "abertur": 3, "arquiv": [3, 71, 77, 80, 81], "rast": 3, "estrutur": [3, 4, 19, 20, 81], "dataset": 3, "sistem": [3, 40], "referent": [3, 6, 62, 68, 69], "espacial": [3, 83], "transform": 3, "afim": 3, "dimens\u00f5": 3, "n\u00famer": [3, 25], "linh": [3, 62, 81, 82], "colun": [3, 81], "band": 3, "leitur": [3, 77, 80, 81], "dad": [3, 6, 36, 62, 65, 76, 77, 81, 83], "liber": 3, "conjunt": [3, 33, 82, 83], "numpy": 4, "carreg": [4, 77], "cri": [4, 73, 81], "matriz": [4, 83], "alter": 4, "format": [4, 24, 82], "inform": [4, 6], "sobr": [4, 65], "oper": [4, 24, 27, 30, 32, 34, 35, 37, 82, 83], "arrays": 4, "composi\u00e7\u00e3": 5, "color": 5, "contr": [5, 57], "m\u00e9tod": [5, 24, 34], "simpl": [5, 19], "par": [5, 38, 56, 59, 64, 67, 68, 73, 81, 90], "classific": 5, "introdu": [6, 26, 27, 43, 79], "program": [6, 7, 26, 27, 31, 56, 91], "geoespac": 6, "vis\u00e3": [6, 84], "geral": [6, 84], "curs": [6, 84, 90], "aul": [6, 86], "bibliogr\u00e1f": [6, 69], "list": [6, 28, 29, 32, 47, 48], "exerc\u00edci": [6, 47, 48], "projet": 6, "ger": 6, "\u00edndic": [6, 34], "tabel": [6, 35], "instal": [7, 10, 71, 77, 82], "configur": 7, "ambient": 7, "anacond": 8, "linux": [8, 9, 11], "dock": [9, 10, 89], "jupyterlab": 10, "atrav\u00e9s": [10, 79], "pycharm": [11, 89], "Os": 12, "comand": [12, 14, 19, 40, 41, 42, 44], "break": 12, "continu": 12, "interromp": 12, "lac": [12, 20, 29], "desvi": 12, "sequ\u00eanc": [12, 29, 32], "cham": [13, 25], "fun\u00e7\u00f5": [13, 25, 41], "matem\u00e1t": 13, "compost": [14, 19], "coment\u00e1ri": 15, "exempl": [15, 19, 20, 21, 24, 27, 29, 32, 62, 83], "consider": [16, 62], "fin": [16, 62], "not": [16, 27, 34, 35, 43], "hist\u00f3r": [16, 27, 42, 43, 71], "simul": 16, "67": 16, "br": [16, 27, 28, 32], "font": [16, 27, 28, 32], "dahl": 16, "et": 16, "al": 16, "1970": 16, "12": 16, "dicion\u00e1ri": [17, 29], "dict": 17, "comprehension": [17, 32, 33], "escop": 18, "vari": [18, 38, 70], "condicion": 19, "condicional": 19, "encad": 19, "repeti\u00e7\u00e3": [20, 34], "escrit": [20, 77, 80], "repetit": 20, "tel": 20, "tip": [20, 29, 34, 35, 36, 37, 82, 83], "whil": 20, "express\u00f5": [22, 23, 25], "ordem": 22, "avali": [22, 90], "l\u00f3gic": [23, 35], "strings": [24, 32, 34], "usand": [24, 29, 81], "f": 24, "string": [24, 34], "templat": 24, "defin": 25, "fun\u00e7\u00e3": [25, 29], "recurs": 25, "vari\u00e1vel": 25, "argument": 25, "par\u00e2metr": [25, 67], "default": 25, "nom": [25, 38, 83], "args": 25, "kwargs": 25, "unpacking": 25, "lists": 25, "lambd": 25, "linguag": [26, 27, 28, 90], "python": [26, 27, 28, 31, 32, 75, 82, 89, 90], "algoritm": 27, "pass": 27, "segu": 27, "execu": 27, "mdc": 27, "p": 27, "q": 27, "linguagens": 27, "instru\u00e7\u00e3": 27, "mips": 27, "wikiped": 27, "83": 27, "bas": [27, 52], "instru\u00e7\u00f5": 27, "pioneir": 27, "comput": [27, 31], "fort": 27, "influ\u00eanc": 27, "desenvolv": 27, "A": [27, 77, 83], "palavr": 28, "chav": 28, "the": [28, 32], "languag": 28, "referenc": 28, "25": 28, "iter": [29, 81], "element": 29, "enumerat": 29, "atravess": 29, "relacion": [30, 82, 83], "primeir": 31, "ndvi": 31, "convers\u00e3": 31, "escal": 31, "temperatur": 31, "of": 31, "rightarrow": [31, 83], "oc": 31, "standard": 32, "19": 32, "tupl": 32, "constru": [32, 81], "generator": 32, "expressions": 32, "set": 33, "O": [34, 72, 73], "concaten": 34, "s": 34, "t": 34, "n": 34, "pertinent": 34, "x": 34, "in": 34, "impertinent": 34, "compriment": 34, "cad": 34, "len": 34, "indexing": 34, "i": 34, "slicing": 34, "j": 34, "find": 34, "sub": 34, "start": 34, "end": 34, "join": 34, "iterabl": 34, "split": 34, "sep": 34, "non": 34, "maxsplit": 34, "1": 34, "replac": 34, "old": 34, "new": 34, "count": 34, "outr": [34, 37], "bool": [35, 83], "verdad": 35, "and": [35, 91], "or": 35, "num\u00e9r": 37, "int": 37, "float": 37, "aritm\u00e9t": 37, "b\u00e1sic": 37, "atribui\u00e7\u00e3": 38, "regr": 38, "atribui\u00e7\u00f5": 38, "jupyt": 39, "m\u00e1gic": 41, "\u00fate": [41, 44], "result": 42, "ipython": 44, "notebooks": 45, "licenc": 46, "01": 48, "turm": [49, 61, 63, 87], "2021": [49, 87], "brazil": 50, "cub": [50, 53], "cloud": 50, "coverag": 50, "bdc3": 50, "spectral": [51, 62], "amostrag": 52, "servic": 52, "wlts": 52, "api": 53, "eo": 53, "extens\u00e3": 54, "stac": 54, "py": 54, "detec\u00e7\u00e3": [55, 60], "mudanc": 55, "respost": 56, "desastr": [56, 65], "an\u00e1lis": [58, 81], "s\u00e9ri": [58, 60, 81], "tempor": [58, 60], "goes": 58, "augmentation": 59, "sensori": 59, "remot": [59, 71], "desliz": 60, "2022": 61, "requisit": 62, "funcion": 62, "comando": 62, "2023": 63, "registr": 64, "autom\u00e1t": 64, "cbers": [64, 68], "4": 64, "observ": [64, 65, 66, 67, 68, 91], "combin": 65, "imag": 66, "incident": 66, "sol": 66, "\u00f3tim": 67, "segment": 67, "m\u00e1sc": [68, 81], "nuvens": 68, "amazon": 68, "trabalh": 71, "git": [71, 72, 74], "github": [71, 73, 74], "clon": 71, "reposit\u00f3ri": [71, 73], "ser": 71, "347": 71, "verific": 71, "status": 71, "modific": 71, "sincroniz": 71, "c\u00f3p": 71, "local": 71, "adicion": 71, "nov": 71, "forks": 71, "faz": 71, "fork": 71, "pull": 71, "request": 71, "\u00e9": [72, 73, 90], "cont": 73, "hosped": 73, "c\u00f3dig": [73, 90], "terminal": 75, "inter": 75, "manipul": 76, "vetori": [76, 77], "fion": 77, "acess": [77, 81], "via": 77, "http": 77, "https": 77, "ogr": 77, "document": [78, 80], "geojson": 78, "geometr": [78, 83], "point": [78, 82], "linestring": [78, 82], "polygon": 78, "multipoint": [78, 82], "multilinestring": [78, 82], "multipolygon": [78, 82], "geometrycollection": 78, "featur": 78, "featurecollection": 78, "valid": [78, 80], "represent": 79, "fei\u00e7\u00f5": 79, "geogr\u00e1f": 79, "objet": [79, 83, 90], "geom\u00e9tr": [79, 82, 83], "json": 80, "sintax": 80, "pand": 81, "seri": 81, "datafram": 81, "selecion": 81, "valor": 81, "orden": 81, "plot": 81, "boolean": 81, "sele\u00e7\u00e3": 81, "csv": 81, "pont": 82, "anel": 82, "linearring": 82, "pol\u00edgon": 82, "espac": [82, 83], "ogc": [82, 83], "wkt": 82, "well": 82, "known": 82, "text": 82, "model": 83, "sfs": 83, "9": 83, "intersec\u00e7\u00f5": 83, "estend": 83, "dimensional": 83, "interior": 83, "fronteir": 83, "exterior": 83, "divers": 83, "DE": 83, "9im": 83, "b": 83, "intersec\u00e7\u00e3": 83, "component": 83, "relat": 83, "equals": 83, "geometry": 83, "s\u00e3": 83, "igu": 83, "touch": 83, "toc": 83, "cross": 83, "cruz": 83, "within": 83, "dentr": 83, "contains": 83, "geometryb": 83, "overlaps": 83, "sobrep\u00f5": 83, "disjoint": 83, "disjunt": 83, "intersects": 83, "bibliograf": 85, "cronogram": 86, "regul": 86, "discent": 87, "2020": 87, "2019": 87, "2018": 87, "docent": 88, "ferrament": 89, "distribui\u00e7\u00e3": 89, "ide": 89, "spyder": 89, "visual": 89, "studi": 89, "cod": 89, "community": 89, "googl": 89, "colab": 89, "organiz": 90, "Por": [90, 91], "disciplin": 90, "honr": 90, "aond": 90, "quer": 90, "cheg": 90, "aprend": 91, "sat\u00e9lit": 91, "terr": 91, "open": 91, "fre": 91, "sourc": 91, "softwar": 91, "foss": 91, "ci\u00eanc": 91, "abert": 91, "reprodut": 91}, "envversion": {"sphinx.domains.c": 2, "sphinx.domains.changeset": 1, "sphinx.domains.citation": 1, "sphinx.domains.cpp": 8, "sphinx.domains.index": 1, "sphinx.domains.javascript": 2, "sphinx.domains.math": 2, "sphinx.domains.python": 3, "sphinx.domains.rst": 2, "sphinx.domains.std": 2, "sphinx.ext.todo": 2, "sphinxcontrib.bibtex": 9, "sphinx": 57}, "alltitles": {"Agradecimentos": [[0, "agradecimentos"]], "Imagens - Processamento e Visualiza\u00e7\u00e3o": [[2, "imagens-processamento-e-visualizacao"]], "T\u00f3picos": [[2, null], [7, null], [26, null], [39, null], [76, null], [84, null]], "GDAL - Geospatial Data Abstraction Library": [[3, "gdal-geospatial-data-abstraction-library"]], "Importando a Biblioteca GDAL": [[3, "importando-a-biblioteca-gdal"]], "Abertura de um arquivo raster": [[3, "abertura-de-um-arquivo-raster"]], "Estrutura do Dataset": [[3, "estrutura-do-dataset"]], "Sistema de Refer\u00eancia Espacial": [[3, "sistema-de-referencia-espacial"]], "Transforma\u00e7\u00e3o Afim": [[3, "transformacao-afim"]], "Dimens\u00f5es (N\u00famero de linhas e colunas)": [[3, "dimensoes-numero-de-linhas-e-colunas"]], "Bandas": [[3, "bandas"]], "Leitura dos dados de uma banda": [[3, "leitura-dos-dados-de-uma-banda"]], "Liberando um conjunto de dados": [[3, "liberando-um-conjunto-de-dados"]], "NumPy": [[4, "numpy"]], "Carregando a NumPy": [[4, "carregando-a-numpy"]], "Criando matrizes": [[4, "criando-matrizes"]], "Alterando o formato de uma matriz": [[4, "alterando-o-formato-de-uma-matriz"]], "Informa\u00e7\u00f5es sobre a Estrutura de uma matriz": [[4, "informacoes-sobre-a-estrutura-de-uma-matriz"]], "Opera\u00e7\u00f5es com arrays": [[4, "operacoes-com-arrays"]], "Visualiza\u00e7\u00e3o de Imagens": [[5, "visualizacao-de-imagens"]], "Composi\u00e7\u00e3o colorida e Contraste": [[5, "composicao-colorida-e-contraste"]], "M\u00e9todos simples para classifica\u00e7\u00e3o": [[5, "metodos-simples-para-classificacao"]], "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com Dados Geoespaciais": [[6, "introducao-a-programacao-com-dados-geoespaciais"]], "Vis\u00e3o Geral do Curso:": [[6, null]], "Aulas:": [[6, null]], "Refer\u00eancias Bibliogr\u00e1ficas": [[6, null], [69, "referencias-bibliograficas"]], "Listas de Exerc\u00edcios": [[6, null], [47, "listas-de-exercicios"]], "Lista de Projetos:": [[6, null]], "Informa\u00e7\u00f5es Gerais:": [[6, null]], "Agradecimentos:": [[6, null]], "\u00cdndices e Tabelas": [[6, "indices-e-tabelas"]], "Instalando e Configurando o Ambiente de Programa\u00e7\u00e3o": [[7, "instalando-e-configurando-o-ambiente-de-programacao"]], "Anaconda": [[8, "anaconda"]], "Linux": [[8, "linux"], [9, "linux"], [11, "linux"]], "Docker": [[9, "docker"], [89, "docker"]], "Instala\u00e7\u00e3o do JupyterLab atrav\u00e9s do Docker": [[10, "instalacao-do-jupyterlab-atraves-do-docker"]], "PyCharm": [[11, "pycharm"]], "Os Comandos break e continue": [[12, "os-comandos-break-e-continue"]], "Interrompendo um la\u00e7o - break": [[12, "interrompendo-um-laco-break"]], "Desviando a sequ\u00eancia de um la\u00e7o - continue": [[12, "desviando-a-sequencia-de-um-laco-continue"]], "Chamada de Fun\u00e7\u00f5es": [[13, "chamada-de-funcoes"]], "Fun\u00e7\u00f5es Matem\u00e1ticas": [[13, "funcoes-matematicas"]], "Fun\u00e7\u00f5es matem\u00e1ticas.": [[13, "introd-prog-tbl-math-func"]], "Comandos Compostos": [[14, "comandos-compostos"]], "Coment\u00e1rios": [[15, "comentarios"]], "Exemplos": [[15, null], [19, null], [20, null], [21, "exemplos"], [24, null], [29, null], [32, null]], "Considera\u00e7\u00f5es Finais": [[16, "consideracoes-finais"], [62, "consideracoes-finais"]], "Nota Hist\u00f3rica": [[16, null], [27, null], [27, null], [43, null]], "SIMULA 67.
Fonte: Dahl et al. (1970) [12].": [[16, "introd-prog-tbl-simula67"]], "Dicion\u00e1rios": [[17, "dicionarios"]], "Dict Comprehension": [[17, "dict-comprehension"]], "Escopo de Vari\u00e1veis": [[18, "escopo-de-variaveis"]], "Estruturas Condicionais": [[19, "estruturas-condicionais"]], "Estrutura Condicional Simples": [[19, "estrutura-condicional-simples"]], "Estrutura Condicional Composta": [[19, "estrutura-condicional-composta"]], "Comandos Condicionais Encadeados": [[19, "comandos-condicionais-encadeados"]], "Exemplo": [[19, "exemplo"]], "Estruturas de Repeti\u00e7\u00e3o": [[20, "estruturas-de-repeticao"]], "Exemplo: escrita repetitiva na tela": [[20, "exemplo-escrita-repetitiva-na-tela"]], "La\u00e7os do tipo for": [[20, "lacos-do-tipo-for"], [29, "lacos-do-tipo-for"]], "La\u00e7os do tipo while": [[20, "lacos-do-tipo-while"]], "Express\u00f5es": [[22, "expressoes"]], "Ordem de Avalia\u00e7\u00e3o de Express\u00f5es": [[22, "ordem-de-avaliacao-de-expressoes"]], "Express\u00f5es L\u00f3gicas": [[23, "expressoes-logicas"]], "Formata\u00e7\u00e3o de Strings": [[24, "formatacao-de-strings"]], "Usando o operador %": [[24, "usando-o-operador"]], "Usando o m\u00e9todo format": [[24, "usando-o-metodo-format"]], "f-string": [[24, "f-string"]], "Template strings": [[24, "template-strings"]], "Fun\u00e7\u00f5es": [[25, "funcoes"]], "Definindo uma Fun\u00e7\u00e3o": [[25, "definindo-uma-funcao"]], "Fun\u00e7\u00f5es Recursivas": [[25, "funcoes-recursivas"]], "Fun\u00e7\u00f5es com N\u00famero Vari\u00e1vel de Argumentos": [[25, "funcoes-com-numero-variavel-de-argumentos"]], "Par\u00e2metros Default": [[25, "parametros-default"]], "Chamando Fun\u00e7\u00f5es com Argumentos Nomeados": [[25, "chamando-funcoes-com-argumentos-nomeados"]], "Par\u00e2metros *args e **kwargs": [[25, "parametros-args-e-kwargs"]], "Unpacking Argument Lists": [[25, "unpacking-argument-lists"]], "Express\u00f5es Lambda": [[25, "expressoes-lambda"]], "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com a Linguagem Python": [[26, "introducao-a-programacao-com-a-linguagem-python"]], "Introdu\u00e7\u00e3o": [[27, "introducao"], [43, "introducao"], [79, "introducao"]], "Algoritmos": [[27, "algoritmos"]], "Passos seguidos na execu\u00e7\u00e3o do algoritmo MDC(p,q).": [[27, "introd-prog-tbl-mdc-algol"]], "Linguagens de Programa\u00e7\u00e3o": [[27, "linguagens-de-programacao"]], "Exemplo de instru\u00e7\u00e3o MIPS.
Fonte: Wikipedia [83].": [[27, "introd-prog-tbl-mips-inst"]], "Exemplo de opera\u00e7\u00e3o baseada nas instru\u00e7\u00f5es MIPS.
Fonte: Wikipedia [83].": [[27, "introd-prog-tbl-mips-op"]], "Pioneiros da computa\u00e7\u00e3o com forte influ\u00eancia no desenvolvimento das linguagens de programa\u00e7\u00e3o.
Fonte: Wikipedia.": [[27, "introd-prog-tbl-pioneiros-prog"]], "A Linguagem de Programa\u00e7\u00e3o Python": [[27, "a-linguagem-de-programacao-python"]], "Palavras-chave": [[28, "palavras-chave"]], "Lista de palavras-chave da linguagem Python.
Fonte: The Python Language Reference [25].": [[28, "introd-prog-tbl-keywords"]], "Iterando nos Elementos de um Sequ\u00eancia": [[29, "iterando-nos-elementos-de-um-sequencia"]], "Usando a fun\u00e7\u00e3o enumerate": [[29, "usando-a-funcao-enumerate"]], "Atravessando Listas": [[29, "atravessando-listas"]], "Iterando em Dicion\u00e1rios": [[29, "iterando-em-dicionarios"]], "Operadores Relacionais": [[30, "operadores-relacionais"]], "Operadores relacionais.": [[30, "introd-prog-tbl-op-relacionais"]], "Primeiro Programa em Python": [[31, "primeiro-programa-em-python"]], "Computando NDVI": [[31, "computando-ndvi"]], "Convers\u00e3o entre Escalas de Temperatura: ^oF \\, \\rightarrow \\, ^oC": [[31, "conversao-entre-escalas-de-temperatura-of-rightarrow-oc"]], "Sequ\u00eancias": [[32, "sequencias"]], "Opera\u00e7\u00f5es com sequ\u00eancias.
Fonte: The Python Standard Library [19].": [[32, "introd-prog-tbl-op-seq"]], "Strings": [[32, "strings"]], "Tuplas": [[32, "tuplas"]], "Listas": [[32, "listas"]], "Construindo Listas": [[32, "construindo-listas"]], "List Comprehension": [[32, "list-comprehension"]], "Generator Expressions": [[32, "generator-expressions"]], "Conjuntos": [[33, "conjuntos"]], "Set Comprehension": [[33, "set-comprehension"]], "O Tipo String": [[34, "o-tipo-string"]], "Opera\u00e7\u00f5es com Strings": [[34, "operacoes-com-strings"]], "Concatena\u00e7\u00e3o de Strings: s + t": [[34, "concatenacao-de-strings-s-t"]], "Repeti\u00e7\u00e3o de Strings: n * s": [[34, "repeticao-de-strings-n-s"]], "Pertin\u00eancia: x in s": [[34, "pertinencia-x-in-s"]], "Impertin\u00eancia: x not in s": [[34, "impertinencia-x-not-in-s"]], "Comprimento da cadeia: len(s)": [[34, "comprimento-da-cadeia-len-s"]], "\u00cdndice (indexing): s[i]": [[34, "indice-indexing-s-i"]], "Slicing: s[i:j]": [[34, "slicing-s-i-j"]], "M\u00e9todos de Strings": [[34, "metodos-de-strings"]], "s.find(sub[, start[, end]])": [[34, "s-find-sub-start-end"]], "s.join(iterable)": [[34, "s-join-iterable"]], "s.split(sep=None, maxsplit=-1)": [[34, "s-split-sep-none-maxsplit-1"]], "s.replace(old, new[, count])": [[34, "s-replace-old-new-count"]], "Outros M\u00e9todos de String": [[34, "outros-metodos-de-string"]], "Tipo L\u00f3gico": [[35, "tipo-logico"]], "bool": [[35, "bool"]], "Operadores L\u00f3gicos": [[35, "operadores-logicos"]], "Tabela verdade do operador and.": [[35, "introd-prog-tbl-op-logico-and"]], "Tabela verdade do operador or.": [[35, "introd-prog-tbl-op-logico-or"]], "Tabela verdade do operador not.": [[35, "introd-prog-tbl-op-logico-not"]], "Tipos de Dados": [[36, "tipos-de-dados"]], "Tipos Num\u00e9ricos": [[37, "tipos-numericos"]], "int": [[37, "int"]], "float": [[37, "float"]], "Outros Tipos Num\u00e9ricos": [[37, "outros-tipos-numericos"]], "Opera\u00e7\u00f5es Aritm\u00e9ticas": [[37, "operacoes-aritmeticas"]], "Operadores aritm\u00e9ticos b\u00e1sicos.": [[37, "introd-prog-tbl-op-aritmeticas"]], "Vari\u00e1veis": [[38, "variaveis"]], "Atribui\u00e7\u00e3o": [[38, "atribuicao"]], "Regra para Nomes de Vari\u00e1veis": [[38, "regra-para-nomes-de-variaveis"]], "Vari\u00e1veis e Atribui\u00e7\u00f5es": [[38, "variaveis-e-atribuicoes"]], "Jupyter": [[39, "jupyter"]], "Comandos do Sistema": [[40, "comandos-do-sistema"]], "Fun\u00e7\u00f5es M\u00e1gicas": [[41, "funcoes-magicas"]], "Comandos \u00dateis": [[41, "comandos-uteis"]], "Hist\u00f3rico dos Comandos e Resultados": [[42, "historico-dos-comandos-e-resultados"]], "IPython": [[44, "ipython"]], "Comandos \u00fateis Ipython.": [[44, "tbl-jupyter-ipython-comandos-uteis"]], "Notebooks": [[45, "notebooks"]], "Licen\u00e7a": [[46, "licenca"]], "Lista de Exerc\u00edcios 01": [[48, "lista-de-exercicios-01"]], "Turma 2021": [[49, "turma-2021"], [87, "turma-2021"]], "Brazil Data Cube Cloud Coverage (BDC3)": [[50, "brazil-data-cube-cloud-coverage-bdc3"]], "Spectral": [[51, "spectral"], [62, "spectral"]], "Amostragem com Base no Servi\u00e7o WLTS": [[52, "amostragem-com-base-no-servico-wlts"]], "API - EO Data Cube": [[53, "api-eo-data-cube"]], "Extens\u00e3o da Biblioteca stac.py": [[54, "extensao-da-biblioteca-stac-py"]], "Detec\u00e7\u00e3o de mudan\u00e7as em imagens": [[55, "deteccao-de-mudancas-em-imagens"]], "Programa\u00e7\u00e3o para resposta a desastres": [[56, "programacao-para-resposta-a-desastres"]], "Contraste de imagens": [[57, "contraste-de-imagens"]], "An\u00e1lise de s\u00e9ries temporais GOES": [[58, "analise-de-series-temporais-goes"]], "Data Augmentation para Sensoriamento Remoto": [[59, "data-augmentation-para-sensoriamento-remoto"]], "S\u00e9ries temporais na detec\u00e7\u00e3o de deslizamentos": [[60, "series-temporais-na-deteccao-de-deslizamentos"]], "Turma 2022": [[61, "turma-2022"]], "Requisitos": [[62, "requisitos"]], "Dados": [[62, "dados"]], "Exemplos de funcionamento em linha de comando": [[62, "exemplos-de-funcionamento-em-linha-de-comando"]], "Refer\u00eancias": [[62, "referencias"], [68, "referencias"]], "Turma 2023": [[63, "turma-2023"]], "Registro autom\u00e1tico para CBERS-4": [[64, "registro-automatico-para-cbers-4"]], "Observa\u00e7\u00f5es": [[64, "observacoes"], [65, "observacoes"], [66, "observacoes"], [67, "observacoes"], [68, "observacoes"]], "Combina\u00e7\u00e3o de dados sobre desastres": [[65, "combinacao-de-dados-sobre-desastres"]], "Imagem de incid\u00eancia solar": [[66, "imagem-de-incidencia-solar"]], "Par\u00e2metros \u00f3timos para segmenta\u00e7\u00e3o": [[67, "parametros-otimos-para-segmentacao"]], "M\u00e1scara de nuvens para imagens AMAZONIA e CBERS": [[68, "mascara-de-nuvens-para-imagens-amazonia-e-cbers"]], "T\u00f3picos Variados": [[70, "topicos-variados"]], "Trabalhando com o git e o GitHub": [[71, "trabalhando-com-o-git-e-o-github"]], "Instalando o git": [[71, "instalando-o-git"]], "Clonando o reposit\u00f3rio ser-347": [[71, "clonando-o-repositorio-ser-347"]], "Verificando o status do reposit\u00f3rio": [[71, "verificando-o-status-do-repositorio"]], "Modificando um arquivo no reposit\u00f3rio ser-347": [[71, "modificando-um-arquivo-no-repositorio-ser-347"]], "Sincronizando sua c\u00f3pia local com o reposit\u00f3rio remoto": [[71, "sincronizando-sua-copia-local-com-o-repositorio-remoto"]], "Adicionando um novo arquivo ao reposit\u00f3rio ser-347": [[71, "adicionando-um-novo-arquivo-ao-repositorio-ser-347"]], "Visualizando o hist\u00f3rico de modifica\u00e7\u00f5es de um arquivo": [[71, "visualizando-o-historico-de-modificacoes-de-um-arquivo"]], "Trabalhando com forks de um reposit\u00f3rio": [[71, "trabalhando-com-forks-de-um-repositorio"]], "Fazendo o fork de um reposit\u00f3rio": [[71, "fazendo-o-fork-de-um-repositorio"]], "Sincronizando seu fork": [[71, "sincronizando-seu-fork"]], "Fazendo um pull-request": [[71, "fazendo-um-pull-request"]], "O que \u00e9 o git?": [[72, "o-que-e-o-git"]], "O que \u00e9 o GitHub?": [[73, "o-que-e-o-github"]], "Criando uma Conta no GitHub": [[73, "criando-uma-conta-no-github"]], "Criando um Reposit\u00f3rio para Hospedar C\u00f3digo": [[73, "criando-um-repositorio-para-hospedar-codigo"]], "git e GitHub": [[74, "git-e-github"]], "Terminal Interativo Python": [[75, "terminal-interativo-python"]], "Manipula\u00e7\u00e3o de Dados Vetoriais": [[76, "manipulacao-de-dados-vetoriais"]], "Leitura/Escrita de Dados Vetoriais": [[77, "leitura-escrita-de-dados-vetoriais"]], "A Biblioteca Fiona": [[77, "a-biblioteca-fiona"]], "Instala\u00e7\u00e3o": [[77, "instalacao"], [82, "instalacao"]], "Leitura de Dados": [[77, "leitura-de-dados"], [77, "id2"]], "Escrita de Dados": [[77, "escrita-de-dados"]], "Acessando Arquivos via HTTP/HTTPS": [[77, "acessando-arquivos-via-http-https"]], "A biblioteca GDAL/OGR": [[77, "a-biblioteca-gdal-ogr"]], "Instalando a biblioteca GDAL/OGR": [[77, "instalando-a-biblioteca-gdal-ogr"]], "Carregando a Biblioteca GDAL/OGR": [[77, "carregando-a-biblioteca-gdal-ogr"]], "Documentos GeoJSON": [[78, "documentos-geojson"]], "Geometrias": [[78, "geometrias"]], "Point": [[78, "point"]], "LineString": [[78, "linestring"]], "Polygon": [[78, "polygon"]], "MultiPoint": [[78, "multipoint"], [82, "multipoint"]], "MultiLineString": [[78, "multilinestring"], [82, "multilinestring"]], "MultiPolygon": [[78, "multipolygon"], [82, "multipolygon"]], "GeometryCollection": [[78, "geometrycollection"]], "Feature": [[78, "feature"]], "FeatureCollection": [[78, "featurecollection"]], "Validadores de Documentos GeoJSON": [[78, "validadores-de-documentos-geojson"]], "Representa\u00e7\u00e3o de fei\u00e7\u00f5es geogr\u00e1ficas atrav\u00e9s de objetos geom\u00e9tricos.": [[79, "tbl-vetorial-introducao-tipos-objetos-geograficos"]], "Documentos JSON": [[80, "documentos-json"]], "Sintaxe de Documentos JSON": [[80, "sintaxe-de-documentos-json"]], "Validadores de Documentos JSON": [[80, "validadores-de-documentos-json"]], "Leitura e Escrita de Arquivos JSON": [[80, "leitura-e-escrita-de-arquivos-json"]], "Pandas": [[81, "pandas"]], "Series": [[81, "tbl-vetorial-pandas-series"]], "DataFrame": [[81, "tbl-vetorial-pandas-dataframe"]], "Usando o Pandas": [[81, "usando-o-pandas"]], "Criando uma S\u00e9rie": [[81, "criando-uma-serie"]], "Selecionando Valores da S\u00e9rie": [[81, "selecionando-valores-da-serie"]], "Acessando a Estrutura de uma S\u00e9rie": [[81, "acessando-a-estrutura-de-uma-serie"]], "Ordenando os Valores de uma S\u00e9rie": [[81, "ordenando-os-valores-de-uma-serie"]], "Plotando uma S\u00e9rie": [[81, "plotando-uma-serie"]], "Criando um DataFrame": [[81, "criando-um-dataframe"]], "Selecionando Colunas de um DataFrame": [[81, "selecionando-colunas-de-um-dataframe"]], "Acessando a Estrutura de um DataFrame": [[81, "acessando-a-estrutura-de-um-dataframe"]], "Selecionando Valores do DataFrame": [[81, "selecionando-valores-do-dataframe"]], "Iterando nas colunas e linhas de um DataFrame": [[81, "iterando-nas-colunas-e-linhas-de-um-dataframe"]], "Construindo m\u00e1scaras booleanas para sele\u00e7\u00e3o de linhas": [[81, "construindo-mascaras-booleanas-para-selecao-de-linhas"]], "Leitura de Arquivos CSV": [[81, "leitura-de-arquivos-csv"]], "An\u00e1lise de Dados com o Pandas": [[81, "analise-de-dados-com-o-pandas"]], "Tipos Geom\u00e9tricos em Python": [[82, "tipos-geometricos-em-python"]], "Tipos Geom\u00e9tricos": [[82, "tipos-geometricos"], [83, "tipos-geometricos"]], "Pontos (Point)": [[82, "pontos-point"]], "Linhas (LineString)": [[82, "linhas-linestring"]], "Anel (LinearRing)": [[82, "anel-linearring"]], "Pol\u00edgonos": [[82, "poligonos"]], "Relacionamentos Espaciais": [[82, "relacionamentos-espaciais"], [83, "relacionamentos-espaciais"]], "Opera\u00e7\u00f5es de Conjunto": [[82, "operacoes-de-conjunto"]], "Formatos": [[82, "formatos"]], "OGC WKT (Well-Known Text)": [[82, "ogc-wkt-well-known-text"]], "Modelo Geom\u00e9trico": [[83, "modelo-geometrico"]], "Exemplos dos tipos geom\u00e9tricos da OGC-SFS.": [[83, "tbl-vetorial-tipos-geometricos-modelo-ilustrado"]], "Conjuntos de Dados": [[83, "tbl-vetorial-tipos-geometricos-exemplo-consulta"]], "Matriz de 9-intersec\u00e7\u00f5es Estendida Dimensionalmente": [[83, "matriz-de-9-interseccoes-estendida-dimensionalmente"]], "Matriz de 9-Intersec\u00e7\u00f5es Estendida Dimensionalmente.": [[83, "tbl-vetorial-tipos-geometricos-de-9im"]], "Interior, fronteira e exterior dos diversos tipos geom\u00e9tricos.": [[83, "tbl-vetorial-tipos-geometricos-comp-tipos"]], "DE-9IM - A e B.": [[83, "tbl-vetorial-tipos-geometricos-rel-a-b-mat"]], "Intersec\u00e7\u00e3o entre os componentes dos objetos A e B.": [[83, "tbl-vetorial-tipos-geometricos-i-f-e"]], "Operador Relate": [[83, "operador-relate"]], "Relacionamentos Espaciais Nomeados": [[83, "relacionamentos-espaciais-nomeados"]], "Equals(Geometry, Geometry) \\rightarrow bool": [[83, "equals-geometry-geometry-rightarrow-bool"]], "DE-9IM - Equals(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-equals"]], "A e B s\u00e3o geometrias espacialmente iguais.": [[83, "tbl-vetorial-tipos-geometricos-equals"]], "Touches(Geometry, Geometry) \\rightarrow Bool": [[83, "touches-geometry-geometry-rightarrow-bool"]], "DE-9IM - Touches(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-touches1"], [83, "tbl-vetorial-tipos-geometricos-rel-espaciais-de9im-touches2"], [83, "tbl-vetorial-tipos-geometricos-de9im-touches3"]], "A e B s\u00e3o geometrias que se tocam.": [[83, "tbl-vetorial-tipos-geometricos-touches"]], "Crosses(Geometry, Geometry) \\rightarrow bool": [[83, "crosses-geometry-geometry-rightarrow-bool"]], "DE-9IM - Crosses(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-crosses1"], [83, "tbl-vetorial-tipos-geometricos-de9im-crosses2"]], "A e B s\u00e3o geometrias que se cruzam.": [[83, "tbl-vetorial-tipos-geometricos-crosses"]], "Within(Geometry, Geometry) \\rightarrow bool": [[83, "within-geometry-geometry-rightarrow-bool"]], "DE-9IM - Within(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-within"]], "A geometria A est\u00e1 dentro da geometria B.": [[83, "tbl-vetorial-tipos-geometricos-within"]], "Contains(GeometryA, GeometryB) \\rightarrow bool": [[83, "contains-geometrya-geometryb-rightarrow-bool"]], "DE-9IM - Contains(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-contains"]], "Overlaps(Geometry, Geometry) \\rightarrow bool": [[83, "overlaps-geometry-geometry-rightarrow-bool"]], "DE-9IM - Overlaps(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-overlaps1"], [83, "tbl-vetorial-tipos-geometricos-de9im-overlaps2"]], "A geometria A sobrep\u00f5e a geometria B.": [[83, "tbl-vetorial-tipos-geometricos-overlaps"]], "Disjoint(Geometry, Geometry) \\rightarrow bool": [[83, "disjoint-geometry-geometry-rightarrow-bool"]], "DE-9IM - Disjoint(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-disjoint"]], "A e B s\u00e3o geometrias espacialmente disjuntas.": [[83, "tbl-vetorial-tipos-geometricos-disjoint"]], "Intersects(Geometry, Geometry) \\rightarrow bool": [[83, "intersects-geometry-geometry-rightarrow-bool"]], "DE-9IM - Intersects(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-intersects1"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects2"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects3"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects4"]], "Vis\u00e3o Geral do Curso": [[84, "visao-geral-do-curso"]], "Bibliografia": [[85, "bibliografia"]], "Cronograma de Aulas": [[86, "cronograma-de-aulas"]], "Aulas Regulares": [[86, "aulas-regulares"]], "Discentes": [[87, "discentes"]], "Turma 2020": [[87, "turma-2020"]], "Turma 2019": [[87, "turma-2019"]], "Turma 2018": [[87, "turma-2018"]], "Docentes": [[88, "docentes"]], "Ferramentas": [[89, "ferramentas"]], "Distribui\u00e7\u00e3o Python": [[89, "distribuicao-python"]], "IDE": [[89, "ide"]], "Spyder": [[89, "spyder"]], "Visual Studio Code": [[89, "visual-studio-code"]], "PyCharm Community": [[89, "pycharm-community"]], "Google Colab": [[89, "google-colab"]], "Organiza\u00e7\u00e3o do Curso": [[90, "organizacao-do-curso"], [90, "id1"]], "Objetivos": [[90, "objetivos"]], "Para quem \u00e9 este curso?": [[90, "para-quem-e-este-curso"]], "Por que a Linguagem Python?": [[90, "por-que-a-linguagem-python"]], "T\u00f3picos da Disciplina": [[90, "topicos-da-disciplina"]], "Avalia\u00e7\u00e3o": [[90, "avaliacao"]], "C\u00f3digo de Honra": [[90, "codigo-de-honra"]], "Aonde queremos chegar?": [[90, "aonde-queremos-chegar"]], "Por que aprender a programar?": [[91, "por-que-aprender-a-programar"]], "Sat\u00e9lites de Observa\u00e7\u00e3o da Terra": [[91, "satelites-de-observacao-da-terra"]], "Open Data": [[91, "open-data"]], "Free and Open Source Software (FOSS)": [[91, "free-and-open-source-software-foss"]], "Ci\u00eancia Aberta e Reprodut\u00edvel": [[91, "ciencia-aberta-e-reprodutivel"]]}, "indexentries": {}}) \ No newline at end of file +Search.setIndex({"docnames": ["agradecimentos", "def", "imagens", "imagens/gdal", "imagens/numpy", "imagens/visualizacao", "index", "instalacao", "instalacao/anaconda", "instalacao/docker", "instalacao/jupyterlab", "instalacao/pycharm", "introducao-programacao/break-continue", "introducao-programacao/chamada-funcoes", "introducao-programacao/comandos-compostos", "introducao-programacao/comentarios", "introducao-programacao/consideracoes", "introducao-programacao/dicionarios", "introducao-programacao/escopo", "introducao-programacao/estruturas-condicionais", "introducao-programacao/estruturas-repeticao", "introducao-programacao/exemplos", "introducao-programacao/expressoes", "introducao-programacao/expressoes-logicas", "introducao-programacao/formatacao-strings", "introducao-programacao/funcoes", "introducao-programacao/index", "introducao-programacao/introducao", "introducao-programacao/keywords", "introducao-programacao/lacos-for", "introducao-programacao/op-relacionais", "introducao-programacao/primeiro-prog", "introducao-programacao/sequencias", "introducao-programacao/set", "introducao-programacao/strings", "introducao-programacao/tipo-logico", "introducao-programacao/tipos-dados", "introducao-programacao/tipos-numericos", "introducao-programacao/variaveis", "jupyter", "jupyter/comandos-sistema", "jupyter/funcoes-magicas", "jupyter/historico-comandos-resultados", "jupyter/introducao", "jupyter/ipython", "jupyter/notebooks", "licenca", "listas/index", "listas/l01", "projetos/2021/index", "projetos/2021/p01", "projetos/2021/p02", "projetos/2021/p03", "projetos/2021/p04", "projetos/2021/p05", "projetos/2021/p06", "projetos/2021/p07", "projetos/2021/p08", "projetos/2021/p09", "projetos/2021/p10", "projetos/2021/p11", "projetos/2022/index", "projetos/2022/p01-spectral", "projetos/2023/index", "projetos/2023/p01-registro", "projetos/2023/p02-desastres", "projetos/2023/p03-sol", "projetos/2023/p04-segmentacao", "projetos/2023/p05-nuvens", "referencias", "variados", "variados/git-github/git-comandos", "variados/git-github/git-definicao", "variados/git-github/github-definicao", "variados/git_github", "variados/terminal-python", "vetorial", "vetorial/geo-io", "vetorial/geojson", "vetorial/introducao", "vetorial/json", "vetorial/pandas", "vetorial/shapely", "vetorial/tipos-geometricos", "visao-geral", "visao-geral/bibliografia", "visao-geral/cronograma", "visao-geral/discentes", "visao-geral/docentes", "visao-geral/ferramentas", "visao-geral/organizacao-curso", "visao-geral/porque-programar"], "filenames": ["agradecimentos.rst", "def.rst", "imagens.rst", "imagens/gdal.rst", "imagens/numpy.rst", "imagens/visualizacao.rst", "index.rst", "instalacao.rst", "instalacao/anaconda.rst", "instalacao/docker.rst", "instalacao/jupyterlab.rst", "instalacao/pycharm.rst", "introducao-programacao/break-continue.rst", "introducao-programacao/chamada-funcoes.rst", "introducao-programacao/comandos-compostos.rst", "introducao-programacao/comentarios.rst", "introducao-programacao/consideracoes.rst", "introducao-programacao/dicionarios.rst", "introducao-programacao/escopo.rst", "introducao-programacao/estruturas-condicionais.rst", "introducao-programacao/estruturas-repeticao.rst", "introducao-programacao/exemplos.rst", "introducao-programacao/expressoes.rst", "introducao-programacao/expressoes-logicas.rst", "introducao-programacao/formatacao-strings.rst", "introducao-programacao/funcoes.rst", "introducao-programacao/index.rst", "introducao-programacao/introducao.rst", "introducao-programacao/keywords.rst", "introducao-programacao/lacos-for.rst", "introducao-programacao/op-relacionais.rst", "introducao-programacao/primeiro-prog.rst", "introducao-programacao/sequencias.rst", "introducao-programacao/set.rst", "introducao-programacao/strings.rst", "introducao-programacao/tipo-logico.rst", "introducao-programacao/tipos-dados.rst", "introducao-programacao/tipos-numericos.rst", "introducao-programacao/variaveis.rst", "jupyter.rst", "jupyter/comandos-sistema.rst", "jupyter/funcoes-magicas.rst", "jupyter/historico-comandos-resultados.rst", "jupyter/introducao.rst", "jupyter/ipython.rst", "jupyter/notebooks.rst", "licenca.rst", "listas/index.rst", "listas/l01.rst", "projetos/2021/index.rst", "projetos/2021/p01.rst", "projetos/2021/p02.rst", "projetos/2021/p03.rst", "projetos/2021/p04.rst", "projetos/2021/p05.rst", "projetos/2021/p06.rst", "projetos/2021/p07.rst", "projetos/2021/p08.rst", "projetos/2021/p09.rst", "projetos/2021/p10.rst", "projetos/2021/p11.rst", "projetos/2022/index.rst", "projetos/2022/p01-spectral.rst", "projetos/2023/index.rst", "projetos/2023/p01-registro.rst", "projetos/2023/p02-desastres.rst", "projetos/2023/p03-sol.rst", "projetos/2023/p04-segmentacao.rst", "projetos/2023/p05-nuvens.rst", "referencias.rst", "variados.rst", "variados/git-github/git-comandos.rst", "variados/git-github/git-definicao.rst", "variados/git-github/github-definicao.rst", "variados/git_github.rst", "variados/terminal-python.rst", "vetorial.rst", "vetorial/geo-io.rst", "vetorial/geojson.rst", "vetorial/introducao.rst", "vetorial/json.rst", "vetorial/pandas.rst", "vetorial/shapely.rst", "vetorial/tipos-geometricos.rst", "visao-geral.rst", "visao-geral/bibliografia.rst", "visao-geral/cronograma.rst", "visao-geral/discentes.rst", "visao-geral/docentes.rst", "visao-geral/ferramentas.rst", "visao-geral/organizacao-curso.rst", "visao-geral/porque-programar.rst"], "titles": ["Agradecimentos", "<no title>", "4. Imagens - Processamento e Visualiza\u00e7\u00e3o", "4.1. GDAL - Geospatial Data Abstraction Library", "4.2. NumPy", "4.3. Visualiza\u00e7\u00e3o de Imagens", "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com Dados Geoespaciais", "1. Instalando e Configurando o Ambiente de Programa\u00e7\u00e3o", "1.1. Anaconda", "1.3. Docker", "1.4. Instala\u00e7\u00e3o do JupyterLab atrav\u00e9s do Docker", "1.2. PyCharm", "2.21. Os Comandos break e continue", "2.6. Chamada de Fun\u00e7\u00f5es", "2.22. Comandos Compostos", "2.8. Coment\u00e1rios", "2.25. Considera\u00e7\u00f5es Finais", "2.17. Dicion\u00e1rios", "2.24. Escopo de Vari\u00e1veis", "2.12. Estruturas Condicionais", "2.13. Estruturas de Repeti\u00e7\u00e3o", "2.26. Exemplos", "2.5. Express\u00f5es", "2.11. Express\u00f5es L\u00f3gicas", "2.19. Formata\u00e7\u00e3o de Strings", "2.23. Fun\u00e7\u00f5es", "2. Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com a Linguagem Python", "2.1. Introdu\u00e7\u00e3o", "2.15. Palavras-chave", "2.20. La\u00e7os do tipo for", "2.10. Operadores Relacionais", "2.2. Primeiro Programa em Python", "2.16. Sequ\u00eancias", "2.18. Conjuntos", "2.14. O Tipo String", "2.9. Tipo L\u00f3gico", "2.3. Tipos de Dados", "2.4. Tipos Num\u00e9ricos", "2.7. Vari\u00e1veis", "3. Jupyter", "3.5. Comandos do Sistema", "3.4. Fun\u00e7\u00f5es M\u00e1gicas", "3.6. Hist\u00f3rico dos Comandos e Resultados", "3.1. Introdu\u00e7\u00e3o", "3.2. IPython", "3.3. Notebooks", "Licen\u00e7a", "Listas de Exerc\u00edcios", "Lista de Exerc\u00edcios 01", "Turma 2021", "1. Brazil Data Cube Cloud Coverage (BDC3)", "2. Spectral", "3. Amostragem com Base no Servi\u00e7o WLTS", "4. API - EO Data Cube", "5. Extens\u00e3o da Biblioteca stac.py", "6. Detec\u00e7\u00e3o de mudan\u00e7as em imagens", "7. Programa\u00e7\u00e3o para resposta a desastres", "8. Contraste de imagens", "9. An\u00e1lise de s\u00e9ries temporais GOES", "10. Data Augmentation para Sensoriamento Remoto", "11. S\u00e9ries temporais na detec\u00e7\u00e3o de deslizamentos", "Turma 2022", "Spectral", "Turma 2023", "Registro autom\u00e1tico para CBERS-4", "Combina\u00e7\u00e3o de dados sobre desastres", "Imagem de incid\u00eancia solar", "Par\u00e2metros \u00f3timos para segmenta\u00e7\u00e3o", "M\u00e1scara de nuvens para imagens AMAZONIA e CBERS", "Refer\u00eancias Bibliogr\u00e1ficas", "6. T\u00f3picos Variados", "6.1.3. Trabalhando com o git e o GitHub", "6.1.1. O que \u00e9 o git?", "6.1.2. O que \u00e9 o GitHub?", "6.1. git e GitHub", "6.2. Terminal Interativo Python", "5. Manipula\u00e7\u00e3o de Dados Vetoriais", "5.6. Leitura/Escrita de Dados Vetoriais", "5.5. Documentos GeoJSON", "5.1. Introdu\u00e7\u00e3o", "5.4. Documentos JSON", "5.7. Pandas", "5.3. Tipos Geom\u00e9tricos em Python", "5.2. Tipos Geom\u00e9tricos", "Vis\u00e3o Geral do Curso", "Bibliografia", "Cronograma de Aulas", "Discentes", "Docentes", "Ferramentas", "Organiza\u00e7\u00e3o do Curso", "Por que aprender a programar?"], "terms": {"noss": [0, 5, 13, 19, 25, 27, 28, 31, 71, 73, 80, 81, 91], "alun": [0, 6, 90], "gentil": 0, "envi": [0, 48, 90], "corre\u00e7\u00f5": 0, "sugest\u00f5": 0, "par": [0, 2, 3, 4, 6, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 29, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 45, 48, 49, 50, 51, 52, 53, 54, 55, 57, 60, 62, 63, 65, 66, 71, 72, 75, 77, 78, 79, 80, 82, 83, 88, 89, 91], "aperfei\u00e7o": [0, 91], "dess": [0, 3, 4, 12, 16, 18, 19, 20, 21, 22, 24, 25, 27, 30, 31, 32, 34, 43, 44, 45, 50, 51, 52, 53, 54, 57, 62, 64, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 89, 91], "material": [0, 46, 89, 90], "allan": 0, "henriqu": 0, "lim": 0, "freir": 0, "andre": 0, "dall": 0, "bernardin": 0, "garc": [0, 69], "cleverton": 0, "santan": 0, "jo\u00e3": 0, "felip": [0, 69], "sant": [0, 68], "r\u00f4mul": 0, "marqu": 0, "carvalh": 0, "facilit": [2, 11, 83, 90, 91], "entend": [2, 27, 77], "sobr": [2, 3, 5, 7, 8, 16, 17, 18, 20, 21, 24, 31, 32, 33, 34, 35, 36, 41, 44, 50, 52, 57, 62, 63, 66, 71, 73, 77, 80, 81, 83, 89, 91], "propriedad": [2, 3, 4, 5, 77, 81, 82], "imag": [2, 3, 4, 5, 9, 10, 34, 46, 55, 57, 59, 63, 64, 67, 68, 69, 79, 83, 91], "vam": [2, 3, 4, 5, 12, 15, 17, 19, 20, 21, 24, 25, 27, 29, 31, 32, 38, 41, 45, 71, 73, 77, 80, 81, 83], "ver": [2, 9, 10, 24, 71, 73, 80, 81, 89], "maneir": [2, 5, 6, 12, 16, 17, 18, 21, 25, 27, 32, 37, 43, 45, 72, 73, 77, 80, 81, 83, 91], "simpl": [2, 18, 21, 25, 27, 34, 42, 55, 68, 69, 73, 75, 80, 83, 90], "sensori": [2, 3, 13, 21, 23, 36, 48, 49, 50, 56, 57, 60, 62, 68, 69, 88], "remot": [2, 3, 13, 23, 36, 48, 49, 50, 56, 57, 60, 62, 68, 69, 80, 88, 90], "\u00f3ptic": [2, 50], "s\u00e3": [2, 3, 4, 12, 14, 15, 16, 17, 18, 20, 22, 23, 24, 25, 26, 27, 29, 30, 32, 33, 34, 35, 36, 37, 39, 40, 41, 43, 44, 59, 68, 69, 72, 73, 78, 79, 80, 81, 88, 89, 91], "ger": [2, 3, 4, 8, 18, 21, 24, 25, 27, 32, 34, 44, 59, 68, 81, 83, 90], "Uma": [2, 3, 4, 5, 10, 11, 17, 21, 22, 24, 25, 26, 27, 32, 34, 38, 41, 43, 45, 48, 59, 71, 72, 77, 80, 81, 82, 83, 89], "comument": [2, 5, 20], "cham": [2, 4, 5, 14, 16, 18, 19, 20, 24, 26, 27, 31, 32, 33, 34, 35, 36, 38, 39, 41, 42, 43, 48, 53, 62, 67, 71, 72, 73, 77, 79, 80, 81, 83, 89], "rast": [2, 79], "pod": [2, 3, 4, 5, 8, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 28, 29, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 51, 56, 57, 58, 60, 62, 64, 65, 66, 67, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 89, 90, 91], "ser": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 24, 25, 27, 28, 31, 32, 33, 34, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 67, 68, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 89, 90, 91], "armazen": [2, 3, 5, 21, 27, 38, 67, 72, 77, 79, 81], "diferent": [2, 3, 25, 27, 30, 32, 34, 43, 44, 59, 72, 80, 81, 83, 88, 89, 91], "form": [2, 3, 4, 5, 12, 13, 16, 17, 18, 21, 25, 26, 27, 31, 32, 33, 34, 38, 42, 43, 46, 48, 51, 62, 65, 66, 68, 72, 73, 75, 77, 79, 80, 81, 82, 83, 89, 90, 91], "del": [2, 17, 25, 28, 32, 48, 58, 59, 77, 90, 91], "\u00e9": [2, 3, 4, 5, 6, 8, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 43, 44, 45, 48, 52, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 74, 75, 77, 78, 79, 80, 81, 82, 83, 88, 89, 91], "atrav\u00e9s": [2, 3, 5, 6, 7, 8, 9, 16, 17, 18, 20, 22, 25, 27, 32, 33, 35, 36, 39, 40, 41, 42, 43, 44, 45, 48, 54, 56, 71, 73, 75, 77, 80, 81, 82, 83, 90, 91], "individual": [2, 5, 46, 81, 90], "independent": [2, 3, 12, 20, 46, 72], "cad": [2, 3, 4, 5, 6, 16, 18, 20, 21, 22, 23, 24, 25, 27, 32, 36, 37, 38, 42, 48, 55, 58, 59, 62, 65, 71, 77, 79, 80, 81, 82, 83, 91], "band": [2, 4, 5, 21, 26, 31, 48, 51, 58, 62, 64, 66, 68, 90], "nest": [2, 3, 4, 5, 18, 19, 21, 25, 27, 31, 51, 71, 73, 77, 80, 82, 83, 89, 91], "cas": [2, 3, 5, 10, 16, 17, 18, 19, 21, 22, 24, 25, 27, 31, 32, 34, 35, 36, 37, 40, 41, 46, 48, 52, 57, 72, 77, 79, 81, 82, 83, 90], "arquiv": [2, 5, 8, 11, 16, 21, 27, 40, 41, 48, 51, 62, 65, 72, 73, 79, 90], "possu": [2, 3, 14, 16, 18, 22, 24, 25, 27, 31, 32, 34, 35, 36, 37, 38, 41, 43, 44, 45, 48, 57, 58, 62, 64, 71, 73, 77, 79, 80, 81, 82, 83, 88, 89], "metad": [2, 3, 50, 77, 91], "Os": [2, 3, 9, 14, 16, 17, 18, 21, 25, 26, 28, 30, 31, 32, 34, 35, 36, 38, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 72, 73, 80, 81, 82, 83, 89, 90, 91], "inclu": [2, 4, 9, 13, 16, 17, 18, 19, 21, 32, 39, 41, 43, 44, 48, 52, 62, 71, 73, 77, 81, 83, 88, 89], "inform": [2, 3, 5, 16, 17, 18, 19, 21, 23, 24, 25, 29, 31, 32, 34, 36, 41, 44, 48, 51, 52, 55, 56, 60, 62, 64, 65, 66, 71, 73, 77, 80, 81, 82, 89], "sistem": [2, 8, 9, 11, 21, 27, 36, 38, 39, 41, 42, 43, 44, 48, 59, 68, 71, 72, 73, 77, 79, 83, 89, 90, 91], "coorden": [2, 3, 21, 27, 32, 48, 77, 79, 82, 83, 88], "geoespacial": [2, 34, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 78, 88, 90, 91], "limit": [2, 4, 24, 32, 34, 46, 50, 77, 79, 83], "geogr\u00e1f": [2, 3, 26, 62, 77, 78, 83, 88, 90], "dimens\u00f5": [2, 4, 5, 81], "tip": [2, 3, 4, 5, 12, 14, 16, 17, 18, 21, 22, 25, 26, 27, 30, 31, 32, 33, 38, 39, 40, 41, 43, 45, 48, 51, 56, 62, 72, 76, 77, 78, 79, 80, 81, 89, 90, 91], "dad": [2, 5, 12, 14, 15, 16, 17, 21, 24, 26, 27, 31, 32, 33, 34, 37, 38, 43, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 63, 67, 71, 73, 79, 80, 84, 88, 90, 91], "assoc": [2, 3, 4, 5, 10, 17, 18, 19, 20, 25, 27, 29, 31, 32, 34, 36, 38, 40, 42, 44, 52, 71, 73, 77, 79, 80, 81, 83], "pixels": [2, 3, 5, 21, 57, 58, 59, 64, 65, 68, 79], "vej": [2, 3, 4, 5, 12, 20, 21, 24, 25, 32, 71, 77, 81, 90], "exempl": [2, 4, 5, 11, 12, 13, 14, 16, 25, 26, 30, 33, 34, 35, 36, 37, 40, 41, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 64, 66, 67, 71, 73, 77, 79, 80, 81, 91], "cbers": [2, 34, 36, 48, 52, 55, 63, 65, 66, 79], "04a": 2, "figur": [2, 3, 5, 10, 11, 16, 19, 20, 21, 25, 26, 27, 31, 32, 34, 38, 41, 43, 44, 45, 48, 50, 71, 73, 75, 77, 78, 79, 81, 82, 83, 89, 91], "4": [2, 3, 4, 5, 9, 11, 16, 17, 18, 19, 20, 21, 22, 23, 25, 27, 30, 31, 32, 33, 34, 36, 37, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 63, 66, 68, 69, 71, 73, 77, 79, 80, 81, 82, 83, 91], "1": [2, 3, 4, 5, 8, 9, 10, 11, 12, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 27, 30, 31, 32, 33, 36, 37, 40, 41, 42, 43, 44, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 73, 77, 78, 79, 80, 81, 82, 83, 91], "cbers_4a_wpm_20200612_200_139_l4_band1": 2, "tif": [2, 3, 5, 34, 51, 62], "azul": [2, 5, 83, 89], "cbers_4a_wpm_20200612_200_139_l4_band2": 2, "2": [2, 3, 4, 5, 8, 9, 10, 11, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 24, 25, 26, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 71, 73, 77, 78, 79, 81, 82, 83, 88, 89, 91], "verd": [2, 5, 20, 48, 83], "cbers_4a_wpm_20200612_200_139_l4_band3": 2, "3": [2, 3, 4, 5, 8, 9, 10, 11, 13, 15, 16, 17, 18, 19, 20, 21, 22, 25, 27, 31, 32, 33, 34, 36, 37, 38, 40, 41, 42, 43, 44, 45, 46, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 67, 68, 69, 71, 73, 77, 78, 81, 82, 83, 89, 91], "vermelh": [2, 5, 25, 31, 48, 83, 89], "Um": [2, 3, 4, 16, 20, 24, 25, 26, 27, 33, 34, 36, 37, 38, 44, 56, 60, 73, 75, 77, 78, 79, 80, 81, 82, 83, 91], "outr": [2, 3, 4, 9, 13, 14, 16, 17, 18, 20, 21, 22, 24, 25, 27, 31, 32, 36, 39, 40, 43, 50, 52, 57, 59, 72, 73, 75, 79, 81, 83, 88, 89, 90, 91], "cons": [2, 3, 21, 25, 26, 27, 48, 57, 77, 83], "divers": [2, 3, 4, 5, 13, 14, 16, 17, 19, 25, 27, 32, 34, 43, 51, 54, 57, 72, 73, 77, 79, 81, 89, 90, 91], "mesm": [2, 3, 4, 18, 24, 25, 27, 33, 34, 39, 43, 55, 64, 72, 77, 81, 82, 83, 89, 91], "conjunt": [2, 13, 16, 17, 19, 20, 25, 26, 27, 31, 32, 36, 37, 41, 52, 55, 59, 60, 64, 67, 68, 77, 79, 80, 81, 91], "val": [2, 21, 27], "tod": [2, 3, 4, 5, 12, 14, 16, 17, 18, 20, 21, 25, 27, 32, 34, 36, 41, 42, 45, 48, 57, 58, 71, 77, 79, 80, 83, 89, 90, 91], "Por": [2, 3, 13, 16, 18, 21, 22, 24, 25, 27, 34, 36, 45, 48, 51, 62, 64, 71, 72, 73, 77, 79, 81, 83, 84], "poss\u00edvel": [2, 3, 4, 10, 14, 16, 17, 18, 20, 21, 24, 34, 36, 40, 41, 43, 48, 57, 58, 60, 64, 65, 67, 77, 79, 81, 82, 83, 90], "cont": [2, 3, 4, 5, 14, 16, 18, 19, 21, 24, 25, 27, 31, 32, 39, 41, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 72, 77, 79, 80, 81, 83, 89], "\u00fanic": [2, 3, 14, 16, 17, 19, 24, 25, 31, 32, 34, 35, 45, 48, 77, 81, 83], "geotiff": [2, 3, 62, 67, 90], "cbers_4a_wpm_20200612_200_139_l4_bands1234": 2, "m\u00faltipl": [2, 23, 32, 34, 81], "A": [2, 3, 4, 5, 10, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 30, 31, 32, 33, 34, 36, 38, 41, 42, 43, 44, 45, 46, 48, 51, 54, 57, 58, 66, 67, 69, 71, 72, 73, 75, 78, 79, 80, 81, 82, 85, 89, 90, 91], "cor": [2, 5, 27, 36, 62, 81, 89], "apen": [2, 3, 8, 13, 15, 16, 18, 19, 20, 21, 25, 34, 35, 45, 48, 77, 81, 83, 90], "ilustr": [2, 12, 18, 19, 21, 25, 41, 79, 80, 83], "ter": [2, 4, 13, 17, 21, 25, 27, 32, 34, 38, 43, 44, 71, 73, 77, 80, 83, 89], "qualqu": [2, 3, 15, 17, 18, 19, 21, 23, 25, 32, 34, 38, 48, 66, 71, 77, 81, 83, 90], "n\u00famer": [2, 4, 5, 12, 16, 17, 20, 21, 23, 24, 27, 32, 34, 36, 37, 48, 52, 77, 79, 80, 81, 82, 83, 90], "desd": [2, 38, 41, 73, 88, 89, 91], "suport": [2, 3, 27, 43, 44, 56, 62, 77, 78, 80, 82, 83, 91], "pel": [2, 3, 4, 5, 11, 12, 17, 18, 19, 20, 21, 23, 24, 25, 27, 29, 31, 32, 33, 34, 35, 37, 38, 39, 40, 41, 43, 45, 48, 52, 55, 56, 59, 62, 65, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 91], "format": [2, 3, 5, 21, 25, 26, 27, 29, 32, 43, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69, 72, 77, 78, 79, 80, 81, 90, 91], "gdal": [2, 5, 69, 90], "g": [2, 3, 5, 27, 32, 34, 68, 69, 82, 83], "eospatial": [2, 3], "d": [2, 3, 8, 17, 24, 25, 32, 34, 40, 48, 68, 69, 81, 83], "ata": [2, 3], "bstraction": [2, 3], "l": [2, 3, 21, 25, 40, 44, 48, 68, 69, 83], "ibrary": [2, 3], "numpy": [2, 3, 5, 62, 81, 90], "softwar": [3, 9, 27, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 72, 73, 89, 90], "livr": [3, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 68, 73, 89, 90, 91], "fornec": [3, 4, 12, 16, 21, 24, 25, 27, 33, 39, 42, 43, 50, 52, 53, 54, 56, 62, 77, 81, 82, 89, 90, 91], "cam": [3, 65, 77, 90], "abstra\u00e7\u00e3": [3, 16, 25, 53, 90], "geoespac": [3, 24, 32, 34, 77, 79, 83, 84, 88, 90, 91], "possibilit": [3, 18, 27, 40, 41, 48, 51, 53, 62, 72, 77, 78, 80, 81, 83], "desenvolv": [3, 16, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 72, 73, 88, 89, 90, 91], "aplic": [3, 4, 5, 8, 13, 21, 22, 25, 34, 40, 43, 44, 50, 55, 57, 59, 60, 62, 64, 72, 78, 80, 81, 83, 88, 89, 90, 91], "manipul": [3, 4, 6, 16, 21, 27, 36, 38, 77, 79, 80, 90], "api": [3, 48, 49, 54, 69, 77, 80], "application": [3, 80, 85], "programming": [3, 69, 85], "interfac": [3, 62, 73, 89, 91], "program": [3, 9, 11, 12, 13, 14, 15, 16, 18, 19, 20, 21, 22, 23, 24, 25, 28, 32, 34, 36, 38, 48, 49, 71, 72, 75, 77, 80, 84, 88, 89, 90], "dest": [3, 4, 5, 20, 21, 27, 45, 60, 62, 66, 67, 68, 71, 73, 77, 80, 81, 83, 89], "encontr": [3, 10, 16, 17, 18, 20, 21, 24, 25, 27, 28, 31, 32, 33, 34, 36, 44, 45, 48, 55, 59, 65, 67, 71, 73, 77, 78, 79, 80, 81, 83, 89, 90, 91], "dispon": [3, 8, 27, 32, 44, 62, 68, 77, 89], "uso": [3, 5, 12, 15, 19, 20, 21, 24, 25, 27, 32, 34, 40, 41, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 73, 77, 81, 83, 88, 89, 90, 91], "python": [3, 4, 6, 13, 14, 15, 16, 18, 19, 20, 21, 24, 25, 33, 34, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 69, 70, 71, 73, 76, 77, 80, 83, 85, 91], "binding": 3, "wrapp": 3, "acess": [3, 5, 10, 16, 17, 18, 32, 34, 42, 43, 44, 52, 69, 73, 75, 78, 80, 82], "funcional": [3, 4, 10, 13, 16, 21, 25, 27, 32, 50, 51, 53, 54, 62, 77, 81, 89], "implement": [3, 16, 20, 25, 27, 41, 50], "c": [3, 4, 8, 16, 20, 21, 24, 27, 29, 32, 34, 68, 69, 71, 80, 81, 82, 83, 90], "basic": [3, 18, 69], "compost": [3, 16, 26, 83], "quatr": [3, 14, 23, 25], "apis": [3, 77, 80], "volt": [3, 6, 20, 25, 71, 72, 77, 79, 90], "matric": [3, 50, 52, 79, 90], "capac": [3, 27, 43, 44, 81, 89], "escrit": [3, 13, 18, 21, 26, 27, 34, 75, 76, 83, 89], "hdf": [3, 48], "jpeg": 3, "Esta": [3, 20, 25, 27, 32, 50, 51, 62, 73, 77, 89], "part": [3, 4, 5, 9, 10, 13, 15, 16, 18, 19, 21, 24, 25, 27, 31, 32, 34, 36, 37, 41, 43, 46, 48, 50, 52, 60, 62, 66, 67, 68, 69, 71, 73, 77, 81, 82, 90, 91], "cont\u00e9m": [3, 5, 14, 19, 20, 22, 27, 31, 32, 34, 36, 41, 51, 54, 62, 71, 77, 80, 81, 82, 83, 91], "objet": [3, 4, 5, 16, 17, 18, 20, 21, 24, 25, 27, 32, 34, 36, 40, 43, 44, 48, 62, 64, 66, 67, 68, 71, 77, 78, 80, 81, 82, 84], "bloc": [3, 14, 16, 19, 20, 25, 27, 41, 77, 83], "espectr": [3, 4, 5, 27, 48, 51, 53, 56, 62], "pir\u00e2mid": 3, "mult": [3, 69], "resolu": [3, 58, 59, 79], "ogr": [3, 69, 90], "vetori": [3, 5, 6, 50, 52, 65, 79, 90], "tais": [3, 24, 25, 27, 79, 81, 83], "esri": [3, 77, 79, 90], "shapefil": [3, 67, 69, 77, 79, 90], "googl": [3, 31, 39, 69, 80], "kml": [3, 67, 79, 90], "geojson": [3, 10, 69, 76, 79, 90], "apresent": [3, 5, 6, 7, 8, 10, 12, 15, 20, 21, 24, 25, 26, 27, 30, 31, 32, 36, 39, 41, 43, 44, 45, 48, 50, 51, 53, 54, 55, 58, 62, 67, 71, 73, 77, 78, 79, 80, 81, 82, 83, 84, 86, 89, 90, 91], "conceit": [3, 6, 15, 18, 26, 27, 31, 38, 39, 71, 83, 90], "fei\u00e7\u00f5": [3, 77, 78, 83], "atribut": [3, 34, 43, 44, 60, 77, 79, 81, 82, 83], "alfanum\u00e9r": [3, 77, 79], "geom\u00e9tr": [3, 76, 77, 78], "osr": 3, "proje\u00e7\u00f5": 3, "gnm": 3, "acr\u00f4nim": [3, 27], "geographic": [3, 69, 85], "network": 3, "model": [3, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 73, 77, 79, 82], "serv": [3, 10, 15, 39, 79, 90, 91], "prop\u00f3sit": [3, 15, 16, 60, 72, 81, 90], "red": [3, 5, 15, 21, 26, 27, 31, 48, 51, 62, 64], "As": [3, 4, 12, 16, 19, 24, 25, 26, 27, 32, 35, 41, 43, 44, 45, 56, 77, 79, 80, 81, 82, 83, 89, 90], "utiliz": [3, 4, 5, 12, 13, 16, 17, 18, 19, 20, 21, 24, 25, 26, 27, 31, 32, 33, 34, 37, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 67, 68, 71, 72, 73, 77, 78, 79, 80, 81, 82, 83, 88, 89, 90, 91], "abstrat": 3, "al\u00e9m": [3, 13, 17, 19, 22, 25, 27, 33, 38, 40, 43, 44, 64, 73, 79, 81, 82, 83, 91], "diss": [3, 17, 18, 25, 27, 38, 40, 44, 73, 79, 81, 82, 83, 91], "variedad": 3, "utilit\u00e1ri": 3, "comando": [3, 4, 8, 9, 10, 11, 12, 14, 16, 18, 19, 20, 21, 25, 31, 34, 38, 40, 41, 43, 44, 48, 51, 71, 75, 77, 81], "tradu\u00e7\u00e3": 3, "alguns": [3, 10, 14, 27, 41, 44, 68, 71, 73, 79, 83, 91], "b\u00e1sic": [3, 13, 16, 17, 20, 27, 32, 33, 36, 48, 73, 77, 81, 83, 90, 91], "process": [3, 4, 6, 8, 16, 25, 27, 34, 43, 46, 50, 52, 53, 56, 73, 80, 88, 89, 90, 91], "imagens": [3, 4, 6, 23, 49, 50, 51, 56, 58, 59, 60, 62, 63, 64, 65, 66, 67, 72, 79, 83, 88, 90, 91], "valor": [3, 4, 5, 8, 12, 13, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 27, 29, 30, 31, 32, 34, 35, 36, 37, 38, 40, 41, 48, 50, 52, 57, 58, 62, 66, 68, 77, 79, 80, 82, 83, 89], "mei": [3, 8, 27, 60, 64], "matriz": [3, 5, 62, 81, 82], "permit": [3, 4, 5, 14, 16, 17, 19, 21, 23, 25, 26, 27, 30, 32, 33, 34, 39, 41, 43, 48, 52, 62, 71, 73, 78, 80, 81, 83, 89, 91], "dev": [3, 4, 5, 8, 10, 14, 16, 17, 21, 22, 24, 25, 26, 31, 34, 40, 41, 43, 44, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 73, 75, 77, 80, 82, 83, 89, 90], "osge": [3, 5, 77], "from": [3, 5, 26, 28, 46, 48, 68, 69, 77, 82], "boa": [3, 25, 77, 89], "pr\u00e1tic": [3, 6, 16, 25, 32, 48, 77, 90, 91], "ativ": [3, 6, 18, 26, 27, 41, 43, 58, 73, 77, 82, 88, 89, 90, 91], "exce\u00e7\u00f5": [3, 5, 14, 27], "oper": [3, 5, 13, 16, 17, 21, 22, 26, 31, 33, 36, 48, 53, 57, 58, 66, 69, 71, 77, 79, 80, 81, 90], "useexceptions": [3, 5], "sab": [3, 4, 17, 20, 23, 24, 32, 33, 34, 36, 78, 80, 81, 83], "vers\u00e3": [3, 4, 8, 10, 11, 16, 25, 27, 71, 72, 77, 82, 89], "instal": [3, 6, 8, 9, 11, 43, 44, 81, 89], "ambient": [3, 6, 8, 18, 26, 39, 40, 41, 42, 43, 44, 45, 62, 69, 72, 77, 81, 82, 83, 88, 89, 90], "trabalh": [3, 27, 39, 43, 50, 59, 64, 65, 66, 67, 68, 73, 74, 77, 79, 80, 81, 86, 88, 89, 90, 91], "use": [3, 9, 17, 34, 43, 46, 48, 69, 71], "seguint": [3, 4, 8, 9, 10, 16, 18, 20, 21, 22, 25, 27, 28, 29, 31, 32, 36, 37, 38, 41, 42, 43, 48, 52, 71, 73, 77, 78, 79, 80, 81, 82, 83, 91], "__version__": [3, 4, 77, 82], "Em": [3, 4, 5, 10, 12, 14, 15, 16, 18, 19, 20, 24, 25, 31, 34, 36, 37, 38, 57, 59, 71, 77, 82, 83, 90], "jupyt": [3, 6, 10, 18, 31, 40, 41, 42, 43, 62, 69, 81, 82, 89, 90, 91], "notebook": [3, 10, 31, 41, 43, 45, 69, 82, 91], "voc": [3, 8, 10, 16, 17, 18, 21, 24, 25, 27, 34, 41, 43, 44, 48, 71, 73, 80, 81, 82, 89], "confer": 3, "vers\u00f5": [3, 9, 10, 16, 25, 72, 77], "dem": [3, 25, 41, 81, 83, 88], "ferrament": [3, 5, 6, 26, 43, 51, 57, 62, 67, 68, 72, 73, 84, 91], "print": [3, 4, 5, 12, 13, 15, 17, 18, 19, 20, 21, 23, 25, 29, 31, 32, 33, 34, 35, 36, 38, 40, 41, 44, 48, 77, 80, 81, 82, 83], "version": [3, 46, 48, 72, 73, 77, 80, 91], "dentr": [3, 4, 12, 18, 19, 20, 21, 24, 25, 32, 34, 40, 48, 65, 77], "recurs": [3, 14, 21, 27, 41, 42, 43, 44, 53, 77, 89], "aut": [3, 25, 43, 44, 89], "complet": [3, 13, 20, 21, 32, 34, 36, 41, 43, 44, 62, 71, 72, 77, 81, 89, 91], "ap\u00f3s": [3, 9, 12, 18, 21, 25, 31, 34, 38, 41, 44, 67, 73, 77, 80], "membr": [3, 25, 34], "ir\u00e1": [3, 6, 8, 12, 13, 18, 21, 25, 27, 34, 43, 45, 71, 73, 77, 83, 89], "list": [3, 8, 9, 13, 16, 17, 18, 20, 21, 25, 27, 31, 34, 36, 41, 44, 45, 51, 62, 69, 71, 77, 80, 81, 90], "dispon\u00edv": [3, 4, 5, 8, 13, 16, 27, 34, 37, 44, 48, 50, 51, 52, 53, 54, 62, 68, 81, 89, 90], "Tamb\u00e9m": [3, 17, 22, 24, 33, 40, 53, 73, 81, 88], "obter": [3, 5, 21, 27, 35, 41, 48, 58, 71, 72, 73, 77, 81], "ajud": [3, 12, 27, 41, 44, 50, 51, 53, 54, 62, 71, 89, 90, 91], "fun\u00e7\u00f5": [3, 4, 15, 16, 18, 21, 26, 27, 34, 39, 48, 57, 80, 81, 90], "caracter": [3, 17, 34, 40, 41, 44, 80], "log": [3, 13, 25, 31, 46, 73, 77, 81, 83], "nom": [3, 4, 13, 16, 17, 18, 21, 24, 27, 29, 30, 31, 32, 33, 34, 36, 37, 40, 41, 42, 45, 48, 51, 62, 71, 73, 77, 79, 80, 81, 82, 89], "desej": [3, 8, 11, 25, 31, 34, 36, 44, 51, 59, 71, 77, 81, 82, 83, 89, 90], "consult": [3, 8, 9, 13, 16, 17, 20, 21, 29, 31, 32, 33, 34, 36, 41, 52, 62, 71, 77, 80, 81, 83, 89], "mostr": [3, 8, 10, 11, 15, 16, 19, 20, 21, 25, 26, 27, 31, 32, 34, 38, 41, 42, 43, 44, 45, 48, 51, 62, 71, 73, 75, 77, 79, 80, 81, 82, 83, 89, 91], "abaix": [3, 8, 9, 10, 12, 16, 18, 21, 25, 31, 32, 34, 40, 43, 71, 77, 80, 81, 82, 83, 89, 91], "fun\u00e7\u00e3": [3, 4, 5, 13, 14, 16, 17, 18, 21, 22, 23, 31, 32, 34, 35, 36, 41, 44, 48, 71, 77, 80, 81, 83], "open": [3, 5, 8, 10, 21, 56, 65, 69, 77, 80], "abrir": [3, 5, 34, 75, 77, 81], "exig": [3, 6, 25, 91], "dois": [3, 10, 17, 18, 20, 21, 22, 24, 25, 27, 30, 32, 33, 34, 35, 36, 41, 48, 52, 77, 81, 82, 83, 91], "par\u00e2metr": [3, 5, 16, 18, 24, 27, 31, 34, 52, 63, 81], "caminh": [3, 16, 21, 48, 77], "constant": [3, 4, 5, 36, 38, 44, 57], "indic": [3, 4, 16, 18, 25, 27, 31, 34, 43, 56, 58, 62, 64, 67, 69, 71, 73, 77, 79, 81, 83], "usad": [3, 4, 7, 10, 12, 16, 17, 18, 24, 25, 27, 28, 32, 33, 34, 35, 38, 41, 43, 44, 48, 71, 77, 79, 80, 81, 83, 89, 91], "ga_readonly": [3, 5], "ga_updat": 3, "fac": [3, 8, 9, 21, 27, 32, 41, 48, 77, 90], "download": [3, 8, 9, 41, 48, 77], "test": [3, 8, 9, 12, 17, 19, 21, 24, 30, 33, 35, 53, 62, 64, 66, 67, 68, 83], "faz": [3, 4, 5, 8, 12, 15, 18, 19, 20, 21, 24, 25, 29, 32, 34, 40, 52, 73, 77, 81, 83, 90], "crop_rapidey": [3, 5], "repar": [3, 4, 17, 20, 25, 31, 32, 33, 34, 36, 44, 48, 71, 73, 79, 80, 81, 83], "retorn": [3, 5, 13, 16, 21, 24, 25, 31, 32, 34, 36, 40, 41, 81, 83], "type": [3, 4, 13, 22, 25, 32, 33, 35, 36, 48, 71, 77, 78, 80, 81], "sa\u00edd": [3, 10, 18, 21, 24, 25, 31, 40, 42, 48, 57, 62, 71, 77, 81], "conhec": [3, 5, 6, 16, 26, 27, 31, 32, 35, 43, 57, 62, 68, 72, 77, 80, 83, 90, 91], "crs": [3, 77], "m\u00e9tod": [3, 16, 17, 27, 29, 32, 39, 43, 44, 62, 67, 68, 77, 81, 83, 91], "getprojectionref": 3, "descri\u00e7\u00e3": [3, 13, 24, 32, 34, 36, 41, 44, 71, 73, 77], "wkt": [3, 77], "well": [3, 46], "known": [3, 46], "text": [3, 16, 21, 24, 25, 31, 33, 36, 43, 45, 46, 48, 71, 79, 80, 89, 91], "O": [3, 4, 5, 6, 8, 12, 13, 15, 16, 17, 18, 19, 20, 21, 23, 24, 25, 26, 27, 31, 32, 33, 35, 36, 37, 38, 40, 41, 42, 43, 44, 45, 48, 50, 52, 56, 57, 58, 60, 62, 64, 65, 66, 67, 68, 71, 74, 77, 78, 79, 80, 81, 82, 83, 85, 89, 90, 91], "textual": [3, 33, 72], "padroniz": [3, 27, 83], "ogc": [3, 77, 79], "consortium": [3, 69], "represent": [3, 16, 17, 20, 21, 24, 25, 27, 31, 32, 33, 34, 35, 37, 38, 62, 68, 77, 78, 80, 81, 82, 83], "recuper": [3, 26, 34, 40, 50, 52, 72, 77, 80, 81], "usa": [3, 69], "spatial": [3, 69], "referenc": [3, 17, 18, 69, 80], "system": [3, 41, 69], "srs": 3, "coordinat": [3, 24, 78], "local": [3, 10, 11, 18, 40, 73], "regional": 3, "global": [3, 18, 28], "localiz": [3, 11, 17, 21, 26, 34, 41, 52, 58, 62, 71, 73, 75, 77, 79, 83], "maior": [3, 5, 8, 12, 13, 16, 19, 21, 25, 27, 30, 32, 43, 48, 64, 71, 77, 81, 83, 89, 91], "interoper": 3, "facil": [3, 4, 25, 43, 80, 89, 91], "v\u00e1ri": [3, 22, 24, 25, 50, 78, 80, 91], "inteir": [3, 4, 13, 17, 21, 24, 25, 27, 31, 34, 36, 37, 48, 77, 79, 80, 81], "srid": 3, "c\u00f3dig": [3, 8, 15, 16, 17, 18, 19, 21, 25, 26, 27, 31, 32, 36, 38, 39, 40, 41, 42, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 72, 77, 79, 80, 81, 89, 91], "epsg": [3, 77], "defin": [3, 5, 12, 14, 15, 16, 18, 19, 20, 21, 22, 24, 28, 31, 32, 34, 36, 37, 41, 45, 48, 52, 57, 73, 77, 79, 81, 82, 83], "autor": [3, 80, 91], "internacional": 3, "produtor": 3, "petr\u00f3l": 3, "g\u00e1s": 3, "identific": [3, 16, 17, 18, 20, 21, 25, 27, 28, 29, 36, 38, 43, 44, 56, 65, 68, 77, 79, 80, 81], "corret": [3, 5, 9, 25, 89], "inter": [3, 18, 21, 36, 39, 40, 41, 42, 43, 44, 48, 52, 59, 70, 81, 82, 83, 89, 90], "port": 3, "http": [3, 10, 26, 48, 69, 80], "io": [3, 9, 34, 69, 77, 78], "spatialreferenc": 3, "org": [3, 20, 27, 46, 69, 73, 80], "getgeotransform": 3, "tupl": [3, 4, 16, 17, 20, 24, 25, 27, 34, 36, 81, 82], "06": [3, 19, 20, 21, 48, 69, 71, 86], "coeficient": [3, 21], "espac": [3, 5, 20, 21, 25, 31, 34, 36, 48, 52, 59, 62, 79, 80, 88, 89, 90], "coordend": 3, "georreferenc": 3, "projet": [3, 43, 44, 50, 51, 53, 54, 57, 60, 62, 64, 68, 71, 72, 73, 88, 90, 91], "gt": 3, "508810": 3, "0": [3, 4, 5, 10, 12, 13, 15, 17, 18, 19, 20, 21, 23, 24, 25, 26, 27, 29, 31, 32, 33, 34, 37, 41, 44, 46, 48, 69, 71, 77, 78, 80, 81, 82, 83], "5": [3, 4, 5, 9, 12, 13, 15, 17, 18, 20, 21, 22, 25, 26, 27, 29, 30, 31, 32, 33, 36, 37, 38, 40, 41, 42, 43, 46, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 73, 77, 78, 79, 81, 82, 83, 91], "7857490": 3, "Na": [3, 6, 10, 25, 27, 31, 32, 45, 66, 71, 73, 75, 77, 80, 81, 83, 89], "acim": [3, 4, 8, 9, 10, 11, 18, 21, 24, 25, 27, 31, 38, 41, 48, 71, 77, 80, 81, 82, 83], "\u00edndic": [3, 4, 5, 16, 31, 32, 48, 51, 53, 56, 60, 62, 77, 81, 89], "x": [3, 5, 12, 13, 16, 17, 21, 25, 27, 29, 32, 33, 38, 40, 48, 59, 64, 79, 81, 82, 83], "pixel": 3, "cant": [3, 32], "superior": [3, 32, 55, 82], "esquerd": [3, 18, 22, 25, 32, 34, 36, 91], "long": [3, 38, 50, 72, 77, 81, 89], "eix": [3, 5, 64, 81], "rota\u00e7\u00e3": [3, 59], "zer": [3, 4, 5, 32, 68, 81, 83], "alinh": [3, 24, 64], "nort": [3, 77], "north": 3, "up": [3, 71], "y": [3, 13, 21, 25, 27, 32, 38, 48, 64, 79, 82, 83], "equa\u00e7\u00e3": [3, 20, 21, 25, 31, 32, 45, 48], "begin": [3, 21, 25, 27, 48], "x_": [3, 32, 48], "geo": [3, 48, 77, 91], "y_": [3, 32], "end": [3, 21, 25, 27, 48, 69, 83], "No": [3, 8, 17, 18, 19, 22, 25, 31, 32, 36, 37, 40, 41, 42, 44, 46, 52, 71, 72, 73, 75, 77, 79, 80, 81, 83, 91], "resum": [3, 44, 71], "calcul": [3, 15, 20, 21, 25, 27, 48, 51, 60, 62, 65, 77, 89], "20": [3, 5, 9, 16, 17, 20, 24, 25, 29, 31, 34, 40, 46, 48, 69, 78, 81, 82, 90], "30": [3, 4, 13, 21, 33, 34, 36, 46, 69, 78, 80, 81, 82, 90], "informa\u00e7\u00f5s": 3, "geotransform": 3, "tutorial": [3, 16, 20, 32, 69], "send": [3, 15, 18, 20, 21, 25, 27, 45, 59, 72, 73, 79, 80, 83, 89], "rasterysiz": 3, "rasterxsiz": 3, "rastercount": 3, "Como": [3, 14, 16, 20, 25, 27, 32, 33, 42, 71, 73, 77, 81, 82, 83, 89, 91], "observ": [3, 5, 16, 25, 27, 32, 53, 60, 73, 79, 80, 81, 83, 89], "numera": [3, 43], "n": [3, 20, 21, 25, 27, 32, 42, 43, 44, 48, 68, 69, 77, 80, 81], "onde": [3, 11, 13, 14, 16, 17, 18, 20, 21, 24, 25, 27, 34, 38, 40, 41, 44, 45, 48, 71, 72, 73, 79, 80, 83, 91], "total": [3, 4, 32, 40, 71, 79, 81], "lembr": [3, 5, 16, 18, 21, 25, 38, 48, 71, 73, 77, 89, 90], "index": [3, 4, 17, 21, 27, 31, 32, 34, 51, 62, 69, 81], "amostr": [3, 52, 59, 77], "rapidey": [3, 5], "correspond": [3, 21, 27, 34, 38, 48, 80, 83], "nir": [3, 5, 15, 21, 26, 31, 48, 51, 62, 64], "respect": [3, 17, 18, 27, 45, 46, 62, 77, 83, 91], "getrasterband": [3, 5], "capaz": [3, 6, 27, 34, 37, 43, 68, 72, 75, 79, 81, 83, 90], "banda_n": [3, 5], "banda_red": [3, 5], "n\u00edv": 3, "digit": [3, 5, 8, 12, 21, 43, 48, 75, 89], "nodatavalu": 3, "minimum": [3, 46], "maximum": 3, "histogr": 3, "estat\u00edst": [3, 50, 81, 90], "m\u00e9d": [3, 21, 65, 81], "desvi": [3, 13, 19, 20, 25, 65, 81], "padr\u00e3": [3, 17, 18, 21, 24, 25, 27, 31, 42, 43, 45, 48, 65, 71, 73, 77, 80, 81, 83, 89], "datatyp": 3, "lid": [3, 19, 20, 31, 79, 81], "getdatatypenam": 3, "qua": [3, 5, 51, 62, 71, 73, 79, 81], "extrem": [3, 25, 83, 91], "m\u00ednim": [3, 20, 21, 32, 48, 81], "m\u00e1xim": [3, 20, 21, 24, 27, 34, 79, 81, 83, 90], "computerasterminmax": [3, 5], "menor_valor": 3, "maior_valor": 3, "menor": [3, 12, 13, 19, 21, 25, 30, 32, 48, 83], "depo": [3, 13, 19, 21, 25, 31, 32, 48, 56, 65, 77, 82], "cri": [3, 5, 10, 11, 16, 17, 18, 20, 21, 22, 25, 27, 31, 32, 33, 39, 43, 44, 45, 48, 50, 51, 53, 54, 62, 71, 77, 82, 89], "ler": [3, 48, 77, 80, 90], "inic": [3, 4, 8, 43, 48, 90], "readasarray": [3, 5], "matriz_red": 3, "matriz_n": 3, "Essa": [3, 6, 25, 27, 31, 38, 43, 48, 53, 67, 72, 77, 81, 83], "agor": [3, 21, 25, 27, 31, 71, 80], "verific": [3, 16, 19, 27, 32, 33, 56, 72, 77, 82, 83, 89], "shap": [3, 4, 5, 77, 81], "c\u00e9lul": [3, 18, 31, 38, 40, 41, 45, 79, 81, 83, 91], "usar": [3, 5, 12, 13, 16, 17, 21, 22, 24, 25, 29, 31, 32, 34, 41, 45, 71, 73, 77, 80, 81, 82, 83, 89, 90], "dtype": [3, 4, 81], "comput": [3, 6, 13, 16, 20, 21, 25, 26, 32, 38, 39, 41, 43, 44, 48, 62, 69, 77, 79, 81, 88, 89, 90, 91], "veget": [3, 19, 31, 60, 62, 69, 79, 81, 83], "ndvi": [3, 5, 15, 19, 21, 48, 51, 62], "matricial": [3, 4, 79, 90], "envolv": [3, 6, 26, 39, 83, 91], "obtid": [3, 5, 8, 33, 41, 48, 56, 57, 59, 60, 65, 66, 80, 81, 88], "astype": [3, 5], "float": [3, 5, 13, 19, 21, 22, 36, 41], "geraca": 3, "array": [3, 4, 5, 27, 80, 81], "deriv": [3, 25, 71], "matriz_ndv": 3, "000000001": 3, "dimenso": 3, "said": 3, "c\u00e1lcul": [3, 5, 15, 25, 31, 41, 57, 71], "coloc": [3, 8, 12, 13, 27, 71], "term": [3, 16, 18, 21, 25, 27, 46, 72, 77, 83, 91], "adicional": [3, 59, 89], "denomin": [3, 4, 16, 17, 21, 25, 31, 32, 39, 53, 71, 77, 79, 80, 81, 82, 83, 89, 91], "embor": [3, 24, 89], "n\u00e3": [3, 4, 5, 6, 9, 10, 12, 13, 15, 16, 17, 18, 19, 20, 21, 23, 25, 27, 28, 32, 33, 34, 38, 41, 48, 58, 68, 71, 72, 73, 77, 80, 81, 82, 83, 89, 90, 91], "original": [3, 4, 5, 8, 27, 32, 41, 46, 77, 80, 89], "evit": [3, 5, 18, 25, 27, 32], "acontec": [3, 20, 27], "divis\u00f5": [3, 5, 34, 83], "nul": [3, 36, 81], "inconsistent": 3, "final": [3, 4, 8, 12, 14, 20, 21, 25, 32, 34, 41, 48, 67, 71, 77, 81, 82, 83, 89, 90], "muit": [3, 4, 5, 13, 16, 19, 20, 24, 25, 27, 31, 32, 33, 37, 57, 58, 59, 71, 72, 80, 89, 90, 91], "pequen": [3, 6, 25, 27, 67, 77, 89, 90], "impact": [3, 23], "result": [3, 4, 5, 15, 19, 20, 21, 22, 25, 27, 30, 31, 38, 39, 40, 43, 44, 45, 48, 52, 64, 67, 71, 81, 83, 91], "combin": [3, 4, 5, 22, 56, 60, 63, 81, 83, 89, 91], "matplotlib": [3, 5, 16, 26, 41, 81, 90], "visualiz": [3, 6, 39, 43, 44, 53, 54, 57, 62, 81, 90, 91], "pyplot": [3, 5, 26, 81], "plt": [3, 5, 26, 81], "figsiz": [3, 5], "16": [3, 4, 9, 16, 17, 20, 21, 26, 27, 32, 37, 44, 48, 52, 69, 80, 81, 82, 83], "8": [3, 4, 5, 9, 10, 19, 21, 24, 25, 31, 32, 35, 37, 42, 44, 46, 48, 51, 52, 62, 69, 71, 77, 78, 80, 81, 82, 89, 91], "subplot": [3, 5], "131": [3, 5], "titl": [3, 5, 26, 46, 80], "imshow": [3, 5], "cmap": [3, 5], "gray": [3, 5, 26], "132": [3, 5], "133": [3, 5, 81], "vmin": 3, "vmax": 3, "mem\u00f3r": [3, 20, 21, 27, 38, 77], "fech": [3, 34, 77, 82, 83], "abert": [3, 27, 34, 48, 75, 77, 82, 83, 89], "non": [3, 16, 17, 21, 25, 28, 36, 46], "realiz": [3, 4, 5, 6, 13, 14, 15, 16, 18, 20, 21, 24, 25, 26, 27, 31, 32, 34, 36, 39, 43, 48, 56, 57, 64, 66, 67, 71, 72, 73, 77, 80, 81, 82, 88, 90], "signif": [3, 17, 21], "ser\u00e3": [3, 5, 24, 31, 81, 90], "principal": [4, 27, 45, 71, 73, 80, 89], "homogeneous": 4, "multidimensional": 4, "tabel": [4, 16, 18, 20, 21, 27, 28, 30, 37, 41, 44, 45, 51, 62, 77, 79, 81, 83, 90, 91], "element": [4, 5, 12, 16, 17, 20, 21, 24, 25, 27, 32, 33, 34, 39, 43, 44, 48, 62, 65, 77, 79, 80, 81, 82, 83, 90, 91], "geral": [4, 12, 16, 17, 21, 25, 31, 34, 38, 58, 59, 71, 77, 79, 81, 83, 86, 89, 90], "posit": [4, 25, 27, 48, 58], "axes": [4, 81], "rank": 4, "primeir": [4, 5, 12, 18, 19, 20, 21, 25, 26, 27, 32, 33, 34, 36, 41, 45, 71, 77, 81, 82, 83, 89, 90], "dimens\u00e3": [4, 5, 83], "tamanh": [4, 20, 24, 25, 32, 34, 48, 59, 79, 89], "segund": [4, 17, 18, 25, 32, 41, 77, 81, 82, 83], "class": [4, 14, 15, 16, 22, 27, 28, 32, 33, 36, 52, 57, 59, 69, 71, 72, 77, 82, 83], "ndarray": [4, 81], "supond": [4, 21, 25], "linh": [4, 5, 16, 18, 19, 21, 24, 25, 27, 32, 34, 38, 40, 41, 48, 51, 71, 77, 79, 80, 83, 89], "40": [4, 29, 69, 81, 83], "colun": [4, 5, 20, 48], "est\u00e3": [4, 64, 81, 83], "ndim": 4, "siz": [4, 27], "1200": 4, "descrev": [4, 9, 27, 77, 83], "int32": 4, "int16": 4, "float64": 4, "itemsiz": 4, "bytes": [4, 27, 71], "dat": [4, 6, 16, 21, 23, 26, 27, 36, 40, 44, 46, 48, 49, 51, 52, 54, 55, 56, 57, 58, 60, 62, 66, 69, 71, 77, 79, 80, 81, 85, 86, 88, 89], "buff": [4, 66, 90], "pois": [4, 18, 23, 24, 25, 34, 82, 89], "import": [4, 5, 13, 15, 16, 18, 21, 23, 24, 25, 26, 28, 41, 43, 67, 71, 77, 79, 80, 81, 82, 83, 89, 90, 91], "m\u00f3dul": [4, 6, 21, 41, 48, 77, 80, 82], "apel": 4, "np": [4, 5], "E": [4, 36, 68, 69, 71, 77, 81, 83], "bibliotec": [4, 5, 13, 16, 21, 24, 25, 27, 48, 49, 53, 62, 80, 81, 82, 89, 90, 91], "v\u00e1r": [4, 13, 25, 34, 67, 73, 81, 89, 91], "cria\u00e7\u00e3": [4, 5, 16, 25, 27, 31, 33, 43, 51, 62, 73, 88, 89, 90], "comec": [4, 21, 24, 27, 31, 34, 38, 40, 77, 79, 80, 81], "arang": 4, "interval": [4, 5, 12, 19, 20, 21, 29, 32, 34, 52, 58, 81], "regul": [4, 81, 90], "unidimensional": [4, 81], "vetor": [4, 5, 56, 81], "15": [4, 18, 20, 32, 44, 48, 50, 66, 69, 81, 89], "6": [4, 9, 13, 15, 16, 18, 20, 21, 25, 27, 30, 31, 32, 34, 36, 37, 38, 40, 43, 46, 48, 69, 71, 73, 75, 77, 81, 89, 91], "7": [4, 9, 13, 18, 19, 21, 25, 29, 31, 32, 34, 35, 36, 37, 40, 41, 44, 46, 48, 58, 69, 71, 73, 77, 78, 81, 82, 91], "9": [4, 16, 19, 20, 21, 25, 27, 29, 31, 32, 35, 41, 44, 46, 48, 69, 71, 77, 80, 81, 82, 91], "10": [4, 5, 9, 12, 13, 21, 22, 24, 25, 29, 30, 32, 34, 36, 37, 38, 44, 48, 58, 69, 75, 77, 78, 80, 81, 82, 83, 89, 91], "11": [4, 8, 16, 18, 19, 21, 25, 28, 29, 31, 32, 44, 46, 48, 62, 69, 75, 77, 78, 80, 81, 82, 89], "12": [4, 19, 21, 25, 26, 27, 36, 37, 40, 44, 48, 69, 75, 78, 80, 81, 82, 89], "13": [4, 16, 19, 21, 25, 32, 37, 42, 44, 48, 69, 75, 78, 81, 82, 83, 89, 91], "14": [4, 16, 18, 20, 21, 25, 32, 34, 44, 48, 69, 80, 81, 89, 91], "sequ\u00eanc": [4, 14, 16, 17, 19, 20, 21, 24, 25, 26, 27, 31, 33, 34, 36, 41, 48, 79, 80, 82, 83, 90], "termin": [4, 16, 21, 25, 34], "vez": [4, 6, 16, 17, 18, 19, 20, 24, 25, 27, 32, 34, 43, 45, 71, 72, 77, 79, 80, 81, 83, 89, 91], "inclu\u00edd": [4, 13, 17, 18, 34, 73], "b": [4, 5, 21, 25, 26, 38, 46, 68, 69, 81], "reestrutr": 4, "usand": [4, 6, 17, 18, 20, 21, 27, 31, 33, 34, 36, 40, 41, 48, 79, 80, 83], "reshap": 4, "torn": [4, 18, 25, 80, 91], "tim": [4, 21, 25, 26, 32, 41, 46, 48, 52, 79, 80, 83, 91], "matem\u00e1t": [4, 16, 22, 27, 37, 39, 48, 57, 91], "sej": [4, 6, 11, 12, 13, 16, 17, 18, 19, 20, 21, 24, 25, 27, 31, 34, 35, 40, 41, 64, 73, 77, 81, 82, 83, 89, 90], "imprim": [4, 5, 21, 25, 48], "som": [4, 5, 20, 21, 25, 27, 36, 37, 58], "fiz": [4, 16], "nenhum": [4, 25, 58, 83, 90], "atribui\u00e7\u00e3": [4, 18, 90], "explor": [4, 43, 90], "aritm\u00e9t": [4, 22, 27, 31, 66, 90], "segu": [4, 10, 18, 21, 22, 23, 25, 31, 48, 52, 66, 71, 73, 75, 77, 81, 82, 83], "s": [4, 8, 21, 24, 32, 46, 68, 69, 71, 77, 80], "zeros_lik": [4, 5], "\u00fatil": [4, 17, 20, 57, 81, 89], "quand": [4, 15, 16, 18, 20, 22, 25, 26, 27, 34, 45, 55, 58, 77, 79, 81, 83, 89], "quer": [4, 18, 21, 48, 89], "c\u00f3p": [4, 5, 18, 24, 34, 72, 73, 81, 90], "algum": [4, 5, 7, 8, 13, 14, 16, 18, 20, 21, 24, 25, 26, 27, 32, 34, 48, 50, 52, 58, 73, 77, 79, 81, 82, 83, 89, 90, 91], "nov": [4, 8, 9, 12, 14, 16, 17, 18, 19, 20, 21, 25, 27, 31, 32, 34, 42, 45, 48, 53, 54, 59, 66, 73, 77, 80, 81, 83, 91], "por\u00e9m": [4, 12, 27, 71, 81, 91], "divis\u00e3": [4, 22, 27, 37], "precis": [4, 5, 9, 13, 24, 25, 26, 34, 68, 71, 77, 81, 82, 83, 89, 90], "array_divisa": 4, "aqu": [4, 39, 71, 81, 89, 91], "produt": [4, 16, 21, 25, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 89, 90], "array_produt": 4, "garant": [4, 16, 71, 77, 83, 91], "transpos": 4, "array_produto_matricial": 4, "dot": 4, "aproveit": 4, "gera\u00e7\u00e3": [4, 51, 52, 53, 77, 89], "contr": [4, 49], "fatiament": 4, "dar\u00e3": 5, "dataset": 5, "individu": [5, 17, 32, 36], "colab": [5, 31, 39], "upload": 5, "aba": [5, 45, 73], "banda_blu": 5, "banda_green": 5, "banda_rededg": 5, "m\u00e1x": 5, "m\u00edn": 5, "complement": 5, "histogram": 5, "Ele": [5, 89], "gr\u00e1fic": [5, 26, 27, 39, 50, 62, 67, 81, 89, 90, 91], "distribui\u00e7\u00e3": [5, 39, 75, 77], "gethistogr": 5, "min": [5, 21, 32, 48, 81], "max": [5, 21, 32, 48, 81], "buckets": 5, "plot": [5, 26], "25000": 5, "100": [5, 19, 20, 23, 29, 48, 59, 71, 78], "label": [5, 26], "blu": 5, "green": [5, 48, 64], "r": [5, 20, 21, 24, 27, 32, 34, 43, 48, 68, 69, 77, 80, 83, 90, 91], "orang": 5, "edge": 5, "cyan": 5, "grid": [5, 26], "legend": [5, 26, 52], "emp\u00edr": 5, "Este": [5, 7, 8, 16, 19, 26, 34, 35, 39, 41, 71, 73, 80, 83, 84, 89], "divid": [5, 21, 34, 36, 67], "portant": [5, 18, 21, 25, 27, 28, 34, 38, 44, 77, 81, 82, 83, 89, 90, 91], "origin": [5, 59, 66, 71], "sim": 5, "rededg": 5, "151": 5, "152": 5, "153": 5, "154": 5, "155": 5, "scatterplot": 5, "transform": [5, 6, 25, 57, 80, 81, 90], "flatten": 5, "vetor_red": 5, "vetor_n": 5, "constru": [5, 6, 17, 24, 25, 27, 33, 48, 53, 62, 64, 66, 68, 77, 83, 89, 91], "scatt": 5, "mark": [5, 26, 46, 85], "xlabel": [5, 26], "ylabel": [5, 26], "dispers\u00e3": [5, 81], "component": [5, 77, 82, 89, 91], "rgb": 5, "canal": 5, "verdadeir": [5, 19, 20, 34, 35, 36, 83], "array_rgb": 5, "obterm": 5, "normaliz": [5, 31], "t\u00e9cnic": [5, 6, 25, 26, 29, 57, 59, 81, 90], "melhor": [5, 27, 48, 60, 67, 77, 81, 89], "alter": [5, 8, 9, 16, 17, 18, 19, 21, 25, 32, 45, 64, 71, 72, 81], "assim": [5, 18, 22, 25, 27, 34, 41, 44, 48, 50, 73, 80, 81, 82, 83, 89], "rela\u00e7\u00e3": [5, 64, 71, 89], "respost": [5, 49, 58, 65, 79], "fic": [5, 25, 77, 80, 89], "compromet": 5, "an\u00e1lis": [5, 6, 43, 49, 57, 67, 82, 88, 90, 91], "bas": [5, 8, 10, 13, 39, 41, 46, 48, 49, 51, 54, 57, 62, 66, 69, 71, 73, 78, 81, 83, 89, 90, 91], "comport": [5, 45, 48, 67], "espectral": [5, 48, 65, 79], "bem": [5, 18, 19, 22, 24, 25, 27, 41, 43, 48, 52, 62, 67, 71, 72, 73, 77, 79, 82, 83, 84, 89, 90, 91], "gain": 5, "ganh": [5, 27, 89], "offset": 5, "desloc": [5, 64], "multiplic": [5, 21, 22, 27, 37, 57], "anterior": [5, 10, 14, 16, 21, 25, 38, 43, 78, 81, 82], "array_rgb_gain": 5, "copy": [5, 10, 81], "array_rgb_offset": 5, "f": [5, 12, 17, 20, 21, 25, 29, 32, 40, 41, 68, 69, 77, 80, 81, 83, 85], "limi": [5, 55], "produz": [5, 8, 18, 25, 26, 30, 31, 34, 35, 40, 43, 45, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 71, 91], "rapid": [5, 43, 81], "mapeament": [5, 24, 80], "alvos": [5, 57], "defini\u00e7\u00e3": [5, 16, 18, 25, 27, 32, 82, 83, 91], "delt": [5, 20, 71], "0000000001": 5, "limiar_ndw": 5, "limiar_ndv": 5, "fiqu": [5, 25], "adequ": [5, 27, 33, 62], "ndwi": [5, 48, 69], "classificaca": 5, "wher": [5, 46], "colormap_3cl": 5, "get_cmap": 5, "colorb": 5, "consegu": 5, "tabul": 5, "big": [6, 69, 80], "profission": 6, "necessit": 6, "r\u00e1p": [6, 44, 77], "disciplin": [6, 48, 71, 73], "ensin": [6, 90], "arte": [6, 90], "problem": [6, 19, 20, 23, 25, 26, 27, 31, 72, 90], "experient": [6, 89, 90], "pr\u00e9v": [6, 90], "computacion": [6, 27, 39, 83, 90, 91], "apoi": [6, 81, 90], "cicl": 6, "pesquis": [6, 27, 39, 80, 88, 89, 91], "ci\u00eanc": [6, 27, 88, 89, 90], "aquisi\u00e7\u00e3": [6, 23], "organiz": [6, 16, 19, 25, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 79, 84, 91], "integr": [6, 8, 25, 43, 44, 53, 62, 72, 73, 89, 90, 91], "linguag": [6, 14, 16, 18, 24, 25, 31, 32, 33, 36, 38, 40, 43, 44, 48, 52, 71, 73, 77, 80, 89], "automatiz": 6, "rotineir": 6, "repetit": 6, "extra": [6, 34], "analis": [6, 65], "configur": [6, 62, 71, 83], "t\u00f3pic": [6, 15, 86, 88], "vari": [6, 17, 26, 40, 67, 79, 89, 90], "turm": 6, "2023": [6, 48, 65, 86], "2022": [6, 66], "2021": [6, 8, 69, 80], "licenc": [6, 27, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73], "p\u00e1gin": [6, 8, 9, 71, 73, 89, 91], "busc": [6, 18, 34], "cap\u00edtul": [7, 26, 31, 39, 62, 84], "dic": 7, "prepar": [7, 27, 89], "computacional": [7, 79, 89], "curs": [7, 15, 24, 48, 73, 86, 88, 89, 91], "anacond": [7, 39, 43, 44, 75, 77, 82, 89], "pycharm": 7, "dock": [7, 40, 69], "jupyterlab": [7, 41, 43, 45, 69], "anaconda3": [8, 89], "2020": [8, 11, 50, 62, 69, 80, 89], "verifiqu": [8, 10, 21, 71, 78, 80, 82], "baix": [8, 10, 11, 16, 48, 71, 81], "echo": 8, "cf2ff493f11eaad5d09ce2b4feaa5ea90db5174303d5b3fe030e16d29aeef7d": 8, "x86_64": 8, "sh": [8, 11, 41], "sha256sum": 8, "check": [8, 71], "algo": [8, 10, 27, 71], "ok": [8, 80], "f2ff493f11eaad5d09ce2b4feaa5ea90db5174303d5b3fe030e16d29aeef7d": 8, "algoritm": [8, 25, 43, 55, 90], "hash": [8, 27], "criptograf": 8, "sha": 8, "256": 8, "sit": [8, 20, 27, 48, 89], "terminal": [8, 10, 18, 34, 36, 40, 41, 42, 43, 44, 48, 70, 71], "bash": [8, 10, 41], "downloads": [8, 11, 71], "pergunt": [8, 19, 21, 23, 31, 48], "sugest\u00f4": 8, "substitu": [8, 71], "Do": [8, 81], "you": [8, 46], "accept": [8, 46], "the": [8, 10, 27, 46, 69, 80, 91], "licens": [8, 46, 71, 73, 80], "terms": [8, 46], "yes": [8, 10], "will": [8, 46, 71], "now": [8, 46], "be": [8, 46, 71], "installed": 8, "into": [8, 27], "this": [8, 10, 27, 46], "location": [8, 80], "hom": [8, 10, 21, 40, 43, 48, 89], "gribeir": [8, 21, 40, 43, 73], "press": [8, 69, 85], "enter": [8, 45], "to": [8, 10, 27, 46, 48, 69, 71, 77, 85], "confirm": [8, 71, 73], "ctrl": 8, "abort": 8, "installation": 8, "or": [8, 10, 16, 19, 23, 25, 28, 46, 71, 89], "specify": 8, "different": [8, 46], "below": [8, 46], "prefix": [8, 10, 40, 41, 80, 89], "unpacking": 8, "payload": 8, "wish": 8, "install": [8, 9, 10, 71, 77, 81, 82, 89], "initializ": 8, "by": [8, 21, 27, 46, 69, 71, 80, 81], "running": 8, "cond": [8, 10, 41, 77, 81, 82], "init": [8, 77], "Ao": [8, 18, 20, 21, 27, 57, 58, 60, 67, 71, 77, 89, 90], "mensag": [8, 21, 31, 71], "For": [8, 46, 69], "chang": [8, 46, 71], "tak": 8, "effect": 8, "clos": [8, 21, 77], "and": [8, 10, 16, 19, 21, 23, 27, 28, 46, 48, 56, 68, 69, 71, 80, 83, 85], "re": 8, "your": [8, 46, 71], "current": 8, "shell": [8, 16, 43, 44], "if": [8, 12, 14, 16, 19, 21, 25, 27, 28, 32, 41, 46, 48], "pref": 8, "that": [8, 46], "environment": [8, 10, 69, 89], "not": [8, 13, 17, 18, 21, 25, 28, 31, 32, 33, 41, 46, 66, 71, 81, 89], "activated": 8, "on": [8, 41, 46, 69, 71, 85, 89], "startup": 8, "set": [8, 16, 43, 44, 46, 69], "auto_activate_bas": 8, "paramet": 8, "fals": [8, 17, 19, 20, 21, 28, 30, 32, 33, 34, 35, 48, 80, 81], "config": [8, 41], "thank": 8, "installing": 8, "abra": [8, 10, 43, 71, 75], "activat": [8, 82], "prompt": [8, 21, 31, 43, 44, 75], "enghaw": 8, "tent": [8, 13, 21, 32, 34, 80, 90], "info": [8, 69], "envs": 8, "semelh": [8, 24, 25, 34, 37, 48, 71, 73, 81], "exib": [8, 11, 60, 73], "environments": 8, "detalh": [8, 16, 17, 18, 21, 24, 31, 32, 33, 39, 40, 44, 58, 62, 77, 79, 80, 83], "se\u00e7\u00e3": [8, 16, 19, 20, 21, 24, 25, 31, 32, 34, 36, 48, 71, 73, 77, 78, 82, 83], "manual": [8, 9, 16, 21, 24], "pass": [9, 13, 18, 20, 24, 25, 28, 31, 32, 40, 48, 71, 77, 91], "ubuntu": [9, 71, 89], "groovy": 9, "focal": 9, "04": [9, 18, 19, 20, 21, 25, 48, 69, 80, 81, 86, 90], "lts": 9, "bionic": 9, "18": [9, 16, 21, 25, 32, 38, 40, 41, 45, 48, 68, 69, 77, 80, 81, 82, 83], "xenial": 9, "engin": [9, 69, 89], "atualiz": [9, 71, 73], "pacot": [9, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 77, 82, 89], "sud": [9, 71], "apt": [9, 71], "get": [9, 17, 71], "updat": [9, 71], "auxili": [9, 13], "necess\u00e1ri": [9, 20, 24, 32, 34, 52, 64, 77, 81, 83, 89, 90, 91], "transport": 9, "https": [9, 27, 48, 69, 71, 73, 80], "ca": 9, "certificat": 9, "curl": 9, "properti": [9, 77, 78], "common": [9, 69], "adicion": [9, 21, 27, 32, 34, 45, 73, 81], "chav": [9, 16, 17, 19, 24, 25, 26, 29, 33, 34, 36, 43, 77, 80, 89], "gpg": 9, "oficial": [9, 27, 89], "fssl": 9, "key": [9, 16, 25, 29], "add": [9, 27, 71], "reposit\u00f3ri": [9, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 91], "repository": [9, 73], "deb": 9, "arch": 9, "amd64": 9, "lsb_releas": 9, "cs": [9, 69], "stabl": [9, 69], "ce": 9, "cli": 9, "containerd": 9, "lanc": [9, 17, 24, 25, 32, 34], "cont\u00eain": [9, 10, 83], "hell": 9, "world": [9, 46], "run": [9, 10, 21, 40, 41, 45], "usu\u00e1ri": [9, 11, 12, 19, 21, 23, 26, 31, 37, 43, 48, 50, 51, 52, 62, 71, 73, 89], "grup": [9, 14, 48, 75, 81, 90, 91], "pr\u00f3x": 9, "comand": [9, 10, 16, 18, 20, 25, 26, 27, 30, 34, 35, 39, 43, 48, 71, 75, 77, 81, 89], "execut": [9, 10, 11, 12, 15, 16, 18, 19, 20, 25, 26, 27, 31, 40, 41, 43, 45, 75, 91], "usermod": 9, "ag": [9, 80], "user": [9, 10, 69], "\u00faltim": [9, 18, 21, 33, 38, 71, 77, 82, 83, 91], "logout": 9, "login": 9, "tenh": [9, 14, 21, 24, 25, 32, 43, 77, 83, 90], "efeit": [9, 18, 66], "datascienc": 10, "pull": 10, "detach": 10, "restart": 10, "unless": [10, 46], "stopped": 10, "nam": [10, 13, 17, 18, 29, 46, 48, 77, 81], "my": 10, "publish": [10, 46, 69, 71, 80], "127": 10, "8888": 10, "env": [10, 41], "jupyter_enable_lab": 10, "volum": [10, 80, 83, 91], "pwd": [10, 41], "jovyan": 10, "documents": 10, "url": [10, 48, 69, 77, 80], "naveg": [10, 43, 45, 48, 89], "logs": 10, "access": [10, 46, 69], "fil": [10, 13, 21, 25, 31, 32, 34, 41, 45, 69, 71], "in": [10, 12, 13, 17, 20, 21, 25, 28, 29, 32, 33, 36, 40, 41, 42, 43, 44, 46, 68, 69, 71, 77, 80, 81, 82, 83], "brows": 10, "shar": [10, 40, 46], "runtim": 10, "jpserv": 10, "html": [10, 39, 41, 43, 45, 69, 73, 91], "past": [10, 11, 41, 43, 48, 71], "one": [10, 25, 46, 69], "of": [10, 27, 41, 46, 48, 68, 69, 71, 80, 91], "thes": [10, 46], "urls": 10, "287556ed8229": 10, "lab": [10, 43], "token": 10, "9b5af45a3c781144c92f3bf398b477ae5d32907b197a5a50": 10, "enderec": [10, 38, 48, 71, 78, 80, 81], "firefox": 10, "janel": [10, 11, 31, 43, 44, 45, 64, 73, 75, 89], "plugins": [10, 40], "extens\u00f5": 10, "exec": 10, "it": [10, 20, 46], "root": [10, 40], "ipyleaflet": 10, "channel": 10, "forg": 10, "extension": 10, "labextension": 10, "widgets": 10, "manag": 10, "leaflet": 10, "nbextension": 10, "enabl": 10, "py": [10, 16, 41, 48, 49, 53, 69, 71], "sys": [10, 40, 41, 77], "debugg": 10, "vega3": 10, "mathjax3": 10, "latex": [10, 39, 41, 43, 45, 91], "pyviz": 10, "jupyterlab_pyviz": 10, "widgetsnbextension": 10, "queir": 10, "extens\u00e3": [10, 16, 21, 43, 48, 49, 77], "git": [10, 69, 70, 73, 91], "extras": 10, "pip": [10, 41], "u": [10, 21, 25, 32, 34], "build": [10, 71, 77], "github": [10, 69, 70, 72, 91], "Nas": [10, 18, 20, 22, 27], "community": [11, 69], "descompact": [11, 32, 48], "tar": 11, "gz": 11, "cd": [11, 41, 71], "xzvf": 11, "mov": 11, "diret\u00f3ri": [11, 21, 40, 48, 71, 73, 77], "sob": [11, 27], "raiz": [11, 21, 57], "mv": [11, 41], "Entre": [11, 21, 31, 83], "coloqu": [11, 41], "execu": [11, 12, 14, 16, 18, 19, 20, 21, 23, 25, 31, 38, 41, 43, 44, 45, 77, 80, 89, 90], "bin": [11, 40], "boas": 11, "vind": [11, 24, 84, 90], "ccom": 11, "barr": [11, 34, 45, 75, 81], "v\u00e1": [11, 71], "menu": [11, 45, 73], "tools": 11, "selecion": [11, 31, 44, 45, 73], "op\u00e7\u00e3": [11, 31, 40, 44, 45, 62, 71, 73, 75], "creat": [11, 46, 71], "desktop": [11, 89], "entry": 11, "Isso": [11, 16, 18, 25, 31, 89], "far": [11, 18, 31, 41, 71, 73, 81], "atalh": [11, 45, 75], "\u00edcon": 11, "inicializ": [11, 14, 36, 43, 77], "control": [12, 13, 14, 16, 20, 22, 25, 27, 31, 72, 73, 80, 81, 90, 91], "flux": [12, 13, 14, 16, 19, 20, 25, 27, 31], "whil": [12, 14, 16, 21, 25, 28, 69, 71], "condicional": [12, 21], "existent": [12, 13, 16, 17, 21, 24, 64, 71], "iter": [12, 16, 20, 21, 25, 32, 34, 77], "Ou": [12, 24, 25, 81, 83], "finaliz": [12, 14, 77], "redirecion": 12, "pr\u00f3xim": [12, 18, 25, 27, 31, 48, 77, 83, 91], "antes": [12, 18, 34, 56, 57, 58, 65, 77, 79, 91], "travess": [12, 29], "rang": [12, 16, 20, 29, 32, 41, 77], "funcion": [12, 18, 20, 24, 25, 34, 41, 42, 81, 89], "simil": [12, 18, 45, 46, 71, 80], "inv\u00e9s": [12, 16, 44, 81], "corrent": [12, 21, 40, 71], "declar": [12, 25, 71], "escrev": [12, 18, 19, 20, 21, 23, 25, 26, 27, 31, 34, 45, 48, 72, 77, 89, 90], "tel": [12, 15, 18, 21, 31], "int": [12, 13, 19, 21, 23, 25, 27, 31, 36, 77], "input": [12, 19, 21, 23, 31, 48, 81], "duas": [12, 18, 21, 27, 29, 34, 36, 41, 43, 77, 79, 81, 83, 91], "instru\u00e7\u00f5": [12, 15, 19, 20, 25, 26, 31, 36, 77, 89], "corp": [12, 18, 20, 25], "tant": [12, 39, 62, 77, 83, 90, 91], "quant": [12, 39, 62, 73, 77, 81, 83, 90, 91], "dif\u00edcil": [13, 27, 89], "express": [13, 25, 26, 27, 32, 34, 37, 46, 90], "irem": [13, 24, 31, 48, 71, 73, 77, 81, 83, 89, 91], "pressup\u00f5": 13, "proced": [13, 25, 27], "Estas": 13, "function": 13, "call": [13, 25, 32], "determin": [13, 26, 27, 38, 43, 44, 45, 58, 79, 82, 83], "pont": [13, 16, 18, 21, 24, 25, 27, 32, 36, 37, 41, 48, 59, 64, 71, 77, 79, 80, 83, 89], "invoc": [13, 18, 25, 34], "feit": [13, 34], "argument": [13, 17, 18, 24, 31, 34, 36, 41, 43, 77, 80, 81, 82], "abs": [13, 27, 69], "22": [13, 21, 24, 25, 36, 45, 69, 81, 82, 86], "sep": 13, "built": [13, 36, 69], "functions": [13, 41, 69], "express\u00e3": [13, 16, 18, 19, 20, 21, 22, 23, 25, 27, 30, 34, 37, 38, 41, 42, 44, 81, 82], "absolut": [13, 27, 46, 50], "ceil": 13, "tet": 13, "floor": 13, "pis": 13, "exp": 13, "exponencial": 13, "38": [13, 17, 24, 25, 69, 77, 78, 81], "pow": [13, 69], "potenc": [13, 22, 37], "64": [13, 16, 32, 37, 69, 79, 89], "logaritm": [13, 57], "natural": [13, 20, 27, 91], "log10": [13, 48], "Se": [13, 16, 17, 18, 19, 20, 21, 24, 25, 27, 34, 41, 43, 71, 73, 81, 83, 89, 90], "diret": [13, 16, 18, 19, 27, 40, 80], "surpres": 13, "traceback": [13, 25, 32], "most": [13, 25, 32, 46], "recent": [13, 25, 32, 59, 72, 80], "last": [13, 25, 32], "stdin": [13, 25, 32, 34], "lin": [13, 25, 32, 34, 41, 48, 81, 82, 83], "modul": [13, 25, 32, 40, 41], "nameerror": [13, 18], "is": [13, 16, 18, 21, 27, 28, 34, 41, 46, 69, 71, 80], "defined": [13, 18, 46], "math": [13, 25, 41, 48], "mathematical": 13, "alto": [14, 16, 27, 81], "n\u00edvel": [14, 16, 27, 48, 64, 79, 80, 81, 83], "vist": [14, 20, 25, 32, 42, 45, 71, 81, 91], "aul": [14, 21, 25, 34, 84, 89, 90], "vim": 14, "lac": [14, 16, 21, 25, 26, 27, 30, 35, 77], "inclusiv": [14, 38, 44, 71, 80, 83], "aninh": [14, 19, 27, 32], "try": [14, 21, 28, 77], "tratament": [14, 27, 73], "durant": [14, 18, 23, 25, 27, 89, 90], "with": [14, 21, 28, 46, 69, 71, 77, 80, 85], "in\u00edci": [14, 20, 25, 77, 81], "liber": [14, 18, 77], "def": [14, 16, 18, 21, 25, 28, 41, 71, 89], "consider": [15, 18, 21, 22, 26, 29, 31, 38, 43, 48, 50, 51, 53, 54, 77, 81, 83, 89], "document": [15, 31, 39, 43, 44, 45, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 76, 77, 81, 83, 89, 91], "font": [15, 41, 48, 50, 52, 71, 72, 73, 77, 83, 89, 91], "nota\u00e7\u00e3": [15, 17, 24, 27, 30, 32, 34, 37, 44, 45, 77, 78, 80, 82], "especial": [15, 24, 25, 32, 33, 34, 73, 81, 83, 90, 91], "discut": [15, 25, 31, 71, 77, 82, 90, 91], "adiant": [15, 48, 81], "trech": [15, 16, 17, 19, 21, 25, 26, 27, 31, 32, 36, 38, 41, 42, 45, 77, 79, 80, 81, 90], "explic": [15, 18, 20, 71, 73], "se\u00e7\u00f5": [15, 16, 25, 80], "entrad": [15, 21, 31, 42, 43, 48, 67, 77, 81], "01": [15, 18, 19, 21, 25, 26, 32, 47, 71, 80, 81, 86], "linguagens": [16, 18, 20, 22, 25, 26, 90], "aprend": [16, 84, 89, 90], "23": [16, 17, 21, 24, 25, 29, 32, 34, 45, 48, 69, 78, 80, 81], "diferenc": [16, 17, 25, 31, 32, 33, 38, 67, 71, 80, 81, 83], "schmalz": [16, 69], "primit": [16, 36, 79], "bom": [16, 20, 24, 77, 78, 80, 89, 91], "71": [16, 18, 27, 69], "l\u00f3gic": [16, 19, 20, 25, 26, 30, 31, 34, 36, 80, 81, 90], "express\u00f5": [16, 26, 31, 34, 44, 48, 81, 83], "constru\u00e7\u00e3": [16, 25, 53, 65, 77, 81, 83, 90, 91], "domin": 16, "verdad": [16, 25, 83], "estrutur": [16, 17, 26, 27, 33, 48, 71, 73, 77, 78, 79, 80, 90], "condicion": [16, 26, 27, 30, 35], "repeti\u00e7\u00e3": [16, 26, 27, 30, 35], "21": [16, 21, 25, 27, 32, 42, 45, 48, 69, 77, 81, 82], "atravess": [16, 21], "cole\u00e7\u00e3": [16, 52, 77, 78, 79, 82, 83], "itens": [16, 20, 29, 32, 34, 50], "condi\u00e7\u00e3": [16, 20, 83], "modific": [16, 17, 18, 32, 72, 73], "break": [16, 21, 26, 28], "continu": [16, 19, 25, 26, 28, 32, 71], "str": [16, 34, 36, 77], "usam": [16, 18, 19, 25, 27, 32, 36, 37, 81, 83], "strings": [16, 17, 20, 26, 36, 80, 81], "string": [16, 17, 25, 26, 29, 31, 32, 36, 48, 69, 77, 79, 80, 81, 83], "exist": [16, 17, 18, 20, 22, 24, 27, 32, 33, 34, 37, 38, 41, 62, 64, 71, 73, 78, 79, 80, 81, 83, 89, 90, 91], "comuns": [16, 25, 27, 32], "imut": [16, 17, 20, 32, 33, 34], "caract": [16, 19, 21, 24, 29, 31, 32, 34, 36, 38, 40, 41, 44, 48, 77, 79, 80], "utliz": [16, 83], "item": [16, 17, 32], "mut": [16, 17, 32], "remov": [16, 17, 25, 32, 46, 81], "comprehension": [16, 21], "idiom": 16, "comum": [16, 25, 27, 71, 72, 79, 91], "dicion\u00e1ri": [16, 18, 24, 25, 26, 27, 33, 36, 77, 80, 90], "17": [16, 17, 18, 21, 24, 25, 29, 34, 40, 45, 66, 68, 69, 71, 77, 78, 80, 81, 91], "agrup": [16, 25, 81], "dict": [16, 69, 77], "72": [16, 69], "70": [16, 48, 69], "78": [16, 69], "77": [16, 69], "76": [16, 69, 80], "efet": [16, 27, 91], "args": [16, 24, 41], "kwargs": [16, 24], "vari\u00e1vel": [16, 17, 18, 20, 22, 32, 34, 38, 40, 42, 77, 89], "bastant": [16, 17, 27, 91], "flexibil": 16, "prov": [16, 43, 86, 90], "adot": [16, 43, 59, 73, 83, 91], "valu": [16, 27, 29, 81], "pairs": [16, 25], "orden": [16, 17, 25, 32, 33], "hav": [16, 46], "return": [16, 21, 25, 27, 28, 41, 71, 89], "acas": 16, "instru\u00e7\u00e3": [16, 19, 20, 25, 31], "automat": [16, 25, 41, 73, 77, 89], "default": [16, 17], "tom": [16, 24, 27, 41, 48, 82], "cuid": [16, 34], "minhafunca": 16, "append": [16, 21, 32], "cresc": [16, 32, 89], "med": [16, 20, 21, 24, 32, 40, 46, 65, 67, 69, 79, 83, 85, 89, 90], "ocorr": [16, 18, 21, 23, 25, 60, 65, 81, 91], "porqu": 16, "armadilh": 16, "minhafuncao2": 16, "else": [16, 19, 21, 25, 28, 32, 48], "conven\u00e7\u00e3": [16, 22, 48, 81], "escut": 16, "diz": [16, 25, 26, 38, 73, 83], "script": [16, 27, 41, 64, 67, 68, 72, 77], "pesso": [16, 72], "refer": [16, 17, 18, 34, 48, 77, 81, 83], "scripts": [16, 24, 62, 64, 65, 66, 67, 68], "autom": 16, "taref": [16, 26, 27, 73, 89], "construtor": [16, 17, 27, 32, 33, 82], "complex": [16, 25, 36, 37, 44, 80, 83], "real": [16, 21, 27, 36, 79], "imagin\u00e1r": 16, "plan": [16, 73, 79], "cartesian": [16, 25], "struct": 16, "esp\u00e9c": 16, "wirth": [16, 27, 69], "87": [16, 69, 81], "ole": [16, 69], "johan": [16, 69], "kristen": [16, 69], "nygaard": [16, 69], "pais": [16, 80, 81], "orient": [16, 27, 34], "poo": 16, "Nos": [16, 83], "anos": [16, 23, 27, 91], "60": [16, 27, 29, 69, 91], "centr": [16, 59], "norueg": 16, "lider": 16, "fam\u00edl": [16, 27], "1965": 16, "1968": [16, 80], "introduz": [16, 18, 19, 25, 27, 31, 50, 77, 81, 83], "destac": [16, 20, 25, 31, 38, 43, 44, 60, 73, 83, 89], "arrays": [17, 80, 82, 90], "trat": [17, 24, 27, 31, 32, 33, 34, 41, 71, 73, 79, 80, 89, 90], "agreg": [17, 81], "espec\u00edf": [17, 20, 32, 42, 80, 81, 83, 90], "registr": [17, 27, 63, 71, 72, 73, 77], "cidad": [17, 29, 32, 33, 78, 80], "paul": [17, 29, 32, 69, 85], "sao_paul": [17, 29], "woeid": [17, 29], "12582314": [17, 29], "bounding": [17, 29, 32], "box": [17, 29, 32, 64], "46": [17, 29, 32, 48, 69, 81], "82": [17, 27, 29, 69], "24": [17, 21, 26, 29, 32, 45, 48, 69, 80, 81, 83, 86], "00": [17, 29, 40, 48, 71, 80, 81], "36": [17, 29, 32, 69, 81], "68": [17, 29, 69, 91], "country": [17, 29], "brazil": [17, 29, 49, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 69, 81, 88, 91], "cuj": [17, 32, 34, 38, 45, 81, 83], "delimit": [17, 19, 24, 31, 32, 34, 40, 80, 83], "separ": [17, 25, 32, 33, 34, 36, 43, 44, 80], "v\u00edrgul": [17, 32, 33, 34, 80], "ness": [17, 18, 19, 20, 21, 24, 25, 31, 38, 39, 43, 44, 48, 62, 71, 73, 77, 79, 81, 83, 89, 90, 91], "compar": [17, 30, 48, 64, 67, 83], "Isto": 17, "pertenc": [17, 18, 21, 31, 33, 55, 83], "jos": [17, 32, 68, 69, 78, 80], "camp": [17, 24, 32, 68, 69, 78, 79, 80], "our": [17, 25, 32, 33, 46, 78, 81, 91], "pret": [17, 25, 32, 33, 78, 81], "sjc": 17, "longitud": [17, 24, 25, 26, 32, 36, 41, 48], "45": [17, 24, 25, 32, 39, 48, 69, 77, 78, 81, 91], "88": [17, 24, 25, 78], "latitud": [17, 24, 25, 26, 32, 36, 41, 48], "ouro_pret": 17, "43": [17, 25, 43, 69, 78, 81], "50": [17, 25, 27, 62, 69, 77, 78, 81, 90], "exce\u00e7\u00e3": [17, 25, 32, 34], "keyerror": 17, "altitud": 17, "379": [17, 71], "tru": [17, 21, 26, 28, 30, 32, 33, 34, 35, 36, 48, 80, 81, 83], "De": [17, 18, 45, 48, 69, 77, 80, 81, 83], "an\u00e1log": [17, 83], "len": [17, 21, 32, 41, 77, 81, 82], "usarm": [17, 79], "ordem": [17, 24, 25, 27, 32, 77, 81], "quis": [17, 24, 34, 41, 71, 81, 89], "sorted": [17, 32, 69], "xmin": [17, 32, 77], "8254": [17, 32], "ymin": [17, 32, 77], "0084": [17, 32], "xmax": [17, 32, 77], "3648": [17, 32], "ymax": [17, 77], "6830": [17, 32], "683": 17, "simplific": [17, 18], "empreg": [17, 20, 25, 39, 72, 80], "vazi": [17, 33, 82, 83], "estar": [17, 21, 25, 64, 65, 66, 67, 68, 71, 83, 89], "las": [17, 72, 81], "comprehensions": [17, 27, 32, 69], "xs": [17, 32, 33], "27": [17, 41, 48, 69, 77, 81], "discuss\u00e3": [18, 89], "quest\u00e3": [18, 21, 25, 43, 44, 79, 83], "visibil": 18, "temp": [18, 21, 27, 38, 41, 50, 52, 58], "vid": [18, 79, 86], "deix": [18, 81], "imper": [18, 20, 25], "context": [18, 23, 46, 71, 79, 89, 91], "consequent": [18, 73, 77, 83], "vis\u00edv": 18, "acess\u00edv": 18, "J\u00e1": [18, 81], "glob": 18, "extern": [18, 32, 82, 83], "demonstr": [18, 24], "pi": [18, 25, 48], "f1": 18, "v1": 18, "estiv": [18, 81], "limp": 18, "kernel": [18, 40, 43], "tiv": [18, 21, 25, 27, 43, 71, 83], "carreg": [18, 41], "tud": 18, "reinicializ": 18, "02": [18, 19, 21, 48, 71, 81, 86], "05": [18, 19, 20, 21, 24, 32, 48, 71, 81, 86], "leitur": [18, 21, 31, 76, 90, 91], "interpret": [18, 24, 25, 27, 31, 34, 45, 48, 75, 89, 90], "09": [18, 21, 32, 48], "escond": 18, "t\u00e9rmin": [18, 19, 77], "destru\u00edd": 18, "junt": [18, 30, 32, 34], "loc": [18, 71, 81], "erro": [18, 25, 34, 77], "naquel": [18, 27, 81], "regr": [18, 22, 24, 27, 68, 83], "moment": [18, 58], "gamm": 18, "5772": 18, "Esse": [18, 20, 25, 30, 34, 39, 41, 43, 44, 48, 77, 80, 81, 83, 89], "aind": [18, 21, 25, 27, 32, 71, 73, 77, 79, 81, 83, 91], "troc": [18, 24], "lug": [18, 25, 32, 34], "normal": [18, 48], "mant": [18, 71], "espec": [18, 25, 27, 48, 73, 77, 90], "constru\u00edd": [18, 25, 32, 36, 66, 82], "compil": [18, 25, 27], "s\u00edmbol": [18, 21, 25, 27, 31, 37, 41, 43, 44, 89], "inser": [18, 23, 72], "lad": [18, 25, 34, 48], "procur": [18, 34, 90], "verif": [18, 23], "pr\u00e9": [18, 41], "perceb": [18, 27, 79], "sempr": [18, 25, 73], "mecan": [18, 27, 43], "passag": [18, 27], "referent": [18, 27, 44, 64, 67, 71, 77, 81, 83, 89, 90], "ali": [18, 41], "poss": [18, 21, 27, 43, 48, 71, 81, 91], "entant": [18, 25, 42, 81], "intern": [18, 20, 32, 38, 80, 82, 83], "conte\u00fad": [18, 21, 24, 27, 38, 45, 71, 73], "depend": [19, 77, 79], "palavr": [19, 21, 25, 26, 27, 34, 36, 43, 83, 89, 91], "reserv": [19, 25, 27, 28, 46], "elif": [19, 21, 28], "cl\u00e1usul": 19, "soment": [19, 25, 27, 33, 35, 89, 90, 91], "03": [19, 20, 21, 24, 25, 32, 48, 69, 71, 77, 80, 86], "papel": [19, 25], "expess\u00e3": 19, "avali": [19, 20, 25, 42, 48, 83], "dens": 19, "atent": [19, 34], "indent": [19, 25, 80], "pouc": [19, 26, 27, 90], "ano": [19, 23, 24, 36, 77, 81, 89, 91], "bissext": [19, 23], "solu\u00e7\u00e3": [19, 20, 21, 23, 25, 31, 48, 81, 90], "400": [19, 23], "fim": [19, 21, 29, 91], "convert": [20, 25, 27, 31, 48, 81], "temperatur": [20, 79], "escal": 20, "fahrenheit": [20, 31], "celsius": [20, 29, 31, 41], "equivalent": [20, 31, 34, 46, 80], "desafi": [20, 88, 91], "loops": [20, 41, 69], "cert": [20, 22, 24, 37, 52, 79, 80], "satisfeit": 20, "i": [20, 21, 25, 27, 29, 32, 46, 69, 77, 83], "101": [20, 41, 78], "constru\u00edm": 20, "start": [20, 80, 81, 83], "stop": [20, 46, 81], "step": [20, 27, 81], "ocup": [20, 21, 91], "fix": [20, 24, 64, 79, 90], "enquant": [20, 25, 33, 83, 89], "materializ": [20, 32], "fat": [20, 21, 25, 34, 43, 77], "estam": [20, 31, 71, 72, 73, 79, 89], "v": [20, 21, 25, 68, 69, 85], "possibil": [20, 43, 50, 73, 77, 89, 91], "amarel": 20, "fluxogram": [20, 77], "sintax": [20, 24, 31, 32, 34, 36, 40, 43, 44, 71, 78, 91], "variavel": [20, 21], "34": [20, 21, 24, 25, 27, 69, 81], "somat\u00f3ri": [20, 81], "sum_": 20, "exerc\u00edci": [20, 21, 80, 90], "resolv": [20, 26, 48, 90], "convers\u00e3": [20, 29, 48], "fahr": [20, 29, 31, 41], "320": 20, "32": [20, 27, 29, 31, 36, 38, 40, 41, 48, 69, 81], "80": [20, 27, 29, 69], "interromp": 20, "seguin": 20, "35": [20, 48, 69, 81], "interrup\u00e7\u00e3": 20, "ex": 20, "t_min": 20, "t_max": 20, "300": 20, "delta_t": 20, "inicial": [20, 21, 27, 43, 45, 82, 83], "59": [20, 69], "learningpython": 20, "48": [20, 69, 77, 81], "07": [20, 21, 32, 48, 69, 81], "ret": [21, 32, 48], "ax": [21, 26], "apliqu": 21, "l\u00ea": 21, "estej": [21, 27, 41, 71], "y0": 21, "lei": [21, 48, 77], "fatorial": [21, 25, 71], "prod_": 21, "rod": [21, 27, 75, 90], "fibonacc": [21, 25], "subsequent": 21, "55": [21, 25, 41, 48, 69, 80, 81], "89": [21, 25], "f\u00f3rmul": [21, 25, 31, 39, 41, 48, 62, 91], "f_n": [21, 25], "f_": [21, 25], "f_1": [21, 25], "f_0": 21, "exit": [21, 77], "proxim": 21, "pot\u00eanc": 21, "pot": [21, 25], "prim": [21, 32, 85], "tabu": 21, "j": [21, 27, 32, 68, 69, 80, 85], "08": [21, 25, 32, 48, 71, 86], "serie_ndv": 21, "quantidad": [21, 27, 55, 59, 81, 89, 91], "inv\u00e1l": 21, "v\u00e1l": [21, 80, 81, 83], "inval": 21, "mod13q1": [21, 26], "000": 21, "flutuant": [21, 24, 25, 27, 32, 36, 37, 80, 82], "men": [21, 27, 34, 35, 59], "serie_mod13q1": 21, "7000": 21, "6000": 21, "3000": 21, "10000": 21, "2000": [21, 77], "5000": 21, "500": 21, "7500": 21, "rea": [21, 37, 48], "serie_mod13q1_float": 21, "s\u00e9ri": [21, 25, 26, 27, 48, 49, 50, 52, 53, 57, 62, 91], "temporal": [21, 26, 52, 58, 60, 62, 69], "extra\u00edd": [21, 52], "sensor": [21, 24, 48, 50, 51, 62, 64, 68, 79, 88, 90, 91], "mod": [21, 48, 52, 71, 77], "54": [21, 26, 36, 69, 81, 91], "per\u00edod": [21, 52, 81], "2015": [21, 69, 81, 85], "19": [21, 24, 25, 34, 45, 69, 81], "red_valu": 21, "168": [21, 31], "398": 21, "451": 21, "337": 21, "186": 21, "232": 21, "262": 21, "349": [21, 88, 90], "189": 21, "204": 21, "220": 21, "207": 21, "239": 21, "259": 21, "258": 21, "242": 21, "331": 21, "251": 21, "323": 21, "106": 21, "1055": 21, "170": [21, 66], "nir_valu": 21, "2346": [21, 31], "4431": 21, "4638": 21, "4286": 21, "2752": 21, "3521": 21, "2928": 21, "3087": 21, "2702": 21, "2685": 21, "2865": 21, "2835": 21, "2955": 21, "3019": 21, "3391": 21, "2986": 21, "4042": 21, "3050": 21, "3617": 21, "2478": 21, "3361": 21, "2613": 21, "timelin": [21, 26], "25": [21, 22, 24, 32, 37, 45, 48, 69, 81, 82], "26": [21, 27, 29, 45, 69, 81], "28": [21, 32, 41, 48, 69, 77, 81], "29": [21, 33, 41, 48, 69, 81], "obtenh": 21, "gerador": [21, 32], "ndvi_valu": 21, "vaz": [21, 32, 83], "correspondent": [21, 81], "zip": [21, 29, 48, 77], "media_ndv": 21, "sum": [21, 81], "ndvi_min": 21, "ndvi_max": 21, "sequenc": [21, 24, 27, 69, 80, 81], "ocorrent": [21, 24, 32, 34, 65, 81, 83], "pos_ndvi_min": 21, "pos_ndvi_max": 21, "refaz": [21, 90], "abrind": [21, 43, 77], "focos24h_brasil": 21, "txt": [21, 48], "lend": 21, "arq": 21, "conteud": 21, "read": [21, 46], "finally": [21, 28], "linha1": 21, "readlin": 21, "linha2": 21, "json": [21, 43, 69, 71, 76, 78], "writ": [21, 77], "foc": [21, 48, 81, 83], "estad": [21, 81], "find": 21, "reading": 21, "writing": [21, 71], "interag": [21, 26, 91], "operacional": [21, 27, 40, 43, 44, 48, 77, 89], "exemppl": 21, "getcwd": 21, "listd": 21, "linux": [21, 44, 48, 71, 72, 75, 89], "microsoft": [21, 71, 73, 75, 79, 89], "windows": [21, 43, 44, 48, 71, 75, 89], "listag": [21, 40, 62, 71], "lib": [21, 40], "etc": [21, 40, 57, 64, 65], "var": [21, 31, 40], "lib32": [21, 40], "snap": [21, 40], "lost": [21, 40], "found": [21, 40], "tmp": [21, 40], "libx32": [21, 40], "mnt": [21, 40], "sbin": [21, 40], "path": [21, 48], "recup": 21, "sub": [21, 40], "cap": [21, 24, 80, 83, 88, 90], "pg": 21, "shared": [21, 46], "setrat": 21, "path_objet": 21, "join": [21, 73], "isdir": 21, "tdiret\u00f3ri": 21, "isfil": 21, "basenam": 21, "splitext": 21, "tnom": 21, "jogador": 21, "secret": 21, "palavra_secret": 21, "getpass": 21, "refac": 21, "eco": 21, "entrar": [21, 44, 48], "pec": 21, "letr": [21, 29, 32, 34, 38, 81], "present": [21, 57, 71, 90], "segred": 21, "favor": [21, 24, 27], "adivinh": 21, "possivel": [21, 25, 91], "percorr": 21, "suponh": [21, 25, 27, 32, 83], "t": [21, 31, 32, 68, 69, 77, 81, 83], "z": [21, 25, 82, 83], "omit": [21, 24, 25, 34, 41, 81], "_": [21, 42], "sublinh": [21, 42], "palavra_ocult": 21, "ocult": [21, 71], "sid": [21, 24, 25, 27, 32, 59, 71, 72, 77, 91], "avis": 21, "ped": [21, 48, 71], "contador": 21, "jog": 21, "chanc": 21, "propor": [21, 52], "suger": [21, 91], "perd": 21, "solicit": [21, 31], "descobert": [21, 91], "esper": [21, 67, 90, 91], "supor": [21, 25, 38], "sensoriamet": 21, "tentat": [21, 27, 34], "esgot": 21, "descobr": [21, 22, 36, 55], "acert": 21, "sauda\u00e7\u00e3": 21, "parab\u00e9ns": 21, "letras_ja_digit": 21, "texto_ocult": 21, "previ": 21, "operand": [22, 35, 48], "convencion": 22, "Qual": [22, 25, 81, 82], "75": [22, 43, 44, 69, 81], "qu\u00ea": 22, "signific": [22, 30, 73, 91], "precedent": 22, "prioridad": 22, "rest": [22, 27, 37], "adi\u00e7\u00e3": [22, 27, 37], "subtra\u00e7\u00e3": [22, 27, 37, 66], "par\u00eantes": [22, 31, 32, 34, 69], "infix": 22, "literal": [22, 34, 36], "associat": 22, "direit": [22, 24, 25, 32, 34, 36, 91], "excet": [23, 83], "sat\u00e9lit": [23, 24, 36, 50, 64, 65, 66, 68, 79], "interpol": [24, 83], "compreend": [24, 25, 79, 81, 83, 90], "419": [24, 80], "347": [24, 73, 80], "marcador": 24, "posi\u00e7\u00e3": [24, 32, 34, 38, 58, 64, 81], "placehold": 24, "substitu\u00edd": [24, 34], "expand": [24, 34], "37": [24, 48, 69, 77, 81], "substitui\u00e7\u00e3": [24, 32], "idad": [24, 80], "salari": 24, "1250": 24, "340000": 24, "2f": [24, 83], "fracion\u00e1r": 24, "especific": [24, 27, 54, 78, 81, 83], "preench": 24, "padding": 24, "20s": 24, "05d": 24, "00038": 24, "exat": [24, 25], "plataform": [24, 27, 52, 53, 57, 71, 73, 88, 89, 91], "landsat": [24, 30, 34, 36, 51, 52, 62, 69, 91], "oli": [24, 62], "2013": [24, 69, 81, 85, 91], "instrument": [24, 91], "deprec": 24, "leg": 24, "sprintf": 24, "placeholders": [24, 32], "usar\u00e3": 24, "correspodent": 24, "truncament": 24, "introdu": [24, 32, 34, 39, 76, 84, 88, 90], "numer": [24, 42, 44, 48, 80, 89], "posicion": 24, "positional": [24, 25], "arguments": [24, 25], "bord": [24, 68, 91], "named": 24, "keyword": [24, 25], "examin": [24, 89], "precis\u00e3": [24, 37], "decimal": [24, 37, 48], "avanc": [24, 43, 44, 88], "utilliz": 24, "escap": [24, 80], "dobr": 24, "contr\u00e1ri": [24, 25, 27, 32, 34], "marc": [24, 27, 48, 69], "gui": [24, 41], "61": [24, 69], "modulariz": 25, "los": [25, 32, 40, 89], "desv": 25, "ating": [25, 64], "ent\u00e3": [25, 27, 32, 72, 81], "encerr": [25, 77], "devolv": 25, "hipot\u00e9t": [25, 83], "dist\u00e2nc": [25, 41, 48, 90], "euclidian": 25, "varia\u00e7\u00f5": 25, "pens": 25, "grand": [25, 27, 32, 39, 88, 90, 91], "dif\u00edc": 25, "dar": 25, "manuten\u00e7\u00e3": [25, 43, 44], "descubr": [25, 48], "parec": [25, 32, 71, 80, 81], "varr": 25, "corrig": [25, 80], "corre\u00e7\u00e3": [25, 66, 89], "bugs": 25, "indesej": 25, "encapsul": [25, 48, 89], "reutiliz": [25, 48, 89], "distanc": [25, 41, 48], "reduz": [25, 27, 59, 67], "inferior": [25, 32], "captur": [25, 41], "reflet": 25, "assinatur": 25, "inclu\u00edm": 25, "recu": 25, "rais": [25, 28], "valueerror": 25, "formal": [25, 69], "Da": 25, "distanciaeuclidian": 25, "x1": 25, "y1": 25, "x2": 25, "y2": 25, "dx": [25, 80], "dy": 25, "sqrt": [25, 41, 48], "d1": 25, "d2": 25, "falt": [25, 66, 81], "quart": 25, "d3": 25, "typeerror": [25, 32], "missing": [25, 81], "required": [25, 46], "Mas": 25, "possbilit": 25, "pr\u00f3pr": [25, 31, 34, 77, 81], "inerent": 25, "natur": [25, 27, 69], "recorrent": [25, 56], "fatorialrec": 25, "Nem": 25, "f\u00e1cil": [25, 73, 80], "sofr": 25, "eficient": [25, 27], "empilh": [25, 58], "otimiz": [25, 90], "lo": [25, 43, 71, 80], "elimin": [25, 33], "mau": 25, "f_2": 25, "144": 25, "fibrec": 25, "fibit": 25, "bast": [25, 40, 71, 81, 90], "reaproveit": [25, 90], "recomput": 25, "nunc": 25, "tr\u00eas": [25, 29, 32, 34, 43, 45, 48, 83], "graus2radian": 25, "alpha": 25, "180": [25, 59], "\u00e2ngul": 25, "graus": [25, 31, 41, 48], "radian": [25, 41, 48], "tend": 25, "opcional": [25, 34, 82], "opcion": 25, "syntaxerror": [25, 34], "follows": 25, "aceit": [25, 27, 34, 39, 45, 80, 81, 82, 91], "myprintv1": 25, "p1": [25, 82], "dupl": [25, 31, 34, 40, 80], "myprintv2": 25, "k": [25, 27, 29, 69], "items": [25, 29, 77, 81], "parametr": 25, "situa\u00e7\u00e3": 25, "artif\u00edci": 25, "an\u00f4nim": 25, "necess": [25, 27, 38, 43], "two": 25, "thre": 25, "four": 25, "sort": [25, 32], "pair": 25, "map": [25, 56, 65, 88], "filt": [25, 81], "hardwar": [26, 27], "seg": [26, 73], "habil": [26, 90, 91], "exemplif": 26, "encad": [26, 27, 32], "wtss": [26, 52, 62], "w": [26, 69, 77, 80, 85], "www": [26, 27, 69, 80], "esensing": 26, "dpi": [26, 48, 77], "inpe": [26, 48, 56, 68, 69, 77, 86, 88, 91], "br": [26, 48, 69, 77], "ts": 26, "time_seri": 26, "coverag": [26, 49, 69], "attribut": [26, 46], "start_dat": 26, "2001": 26, "end_dat": 26, "31": [26, 27, 34, 40, 48, 69, 81], "fig": 26, "subplots": 26, "seri": [26, 52], "fontsiz": 26, "surfac": [26, 83], "reflectanc": 26, "color": [26, 79], "ls": [26, 40, 41, 71], "purpl": 26, "linestyl": 26, "linewidth": 26, "autofmt_xdat": 26, "show": 26, "princip": [26, 35, 44, 77, 91], "aprendiz": [26, 27, 88, 89], "num\u00e9r": [26, 27, 31, 34, 36, 44, 48, 80, 81, 90], "coment\u00e1ri": 26, "relacion": [26, 56, 59, 72, 88, 90, 91], "escop": [26, 27, 84], "fin": 26, "progr": [27, 34, 69], "construction": 27, "consists": 27, "refinement": [27, 69], "steps": 27, "niklaus": [27, 69], "86": [27, 69], "finit": 27, "determin\u00edst": 27, "66": [27, 69], "divisor": 27, "quaisqu": [27, 48], "a\u00e7\u00f5": 27, "lev": [27, 71, 89, 90], "solucion": 27, "descrit": [27, 43, 79, 81], "igual": [27, 30, 32], "obtend": [27, 36, 41, 77, 90], "obtem": [27, 71, 81], "pseudoc\u00f3dig": 27, "conven\u00e7\u00f5": 27, "portugu\u00eas": 27, "portugol": 27, "diagram": [27, 77, 83], "chapin": 27, "nass": 27, "sneid": 27, "quadr": [27, 32, 57, 68], "vis\u00e3": [27, 86], "hier\u00e1rqu": 27, "atual": [27, 39, 43, 71, 73, 79, 83, 88, 89, 91], "caiu": 27, "desus": 27, "jav": [27, 83], "pr\u00f3pri": [27, 34, 48, 71, 73, 83], "Essas": [27, 73, 81, 91], "padr\u00f5": [27, 42, 83, 88, 91], "bits": [27, 37], "m\u00e1quin": [27, 71, 73], "carg": [27, 77], "transferent": 27, "poss\u00edv": [27, 35, 71], "microprocess": 27, "bit": [27, 38, 89], "opcod": 27, "rs": 27, "rt": 27, "rd": 27, "shamt": 27, "funct": 27, "immediat": 27, "address": 27, "op": [27, 34], "000000": 27, "00001": 27, "00010": 27, "00110": 27, "00000": 27, "100000": [27, 41], "ide": [27, 72, 90, 91], "favorit": 27, "copi": [27, 71, 73, 81, 90], "ram": [27, 71], "cpu": 27, "inconvenient": 27, "human": 27, "montag": 27, "assembly": 27, "mnemonic": 27, "load": [27, 41, 80], "stor": [27, 41], "jump": 27, "assembl": 27, "wikibooks": [27, 69], "84": [27, 69], "lda": 27, "loads": [27, 80], "numb": [27, 69, 80, 81], "accumulator": 27, "adds": 27, "contents": [27, 46], "sto": 27, "sav": [27, 41, 45], "memory": 27, "respons": [27, 43], "montador": 27, "leg\u00edvel": 27, "dias": [27, 48, 68], "hoj": 27, "compreens\u00e3": 27, "dificuldad": [27, 72, 90], "abstra\u00e7\u00f5": 27, "sedgewick": [27, 69], "wayn": [27, 69], "2011": [27, 69, 81, 91], "unsigned": 27, "speedcoding": [27, 69], "john": [27, 69, 85], "backus": [27, 69], "1953": 27, "conceb": 27, "ibm": [27, 69, 79], "701": [27, 69], "\u00e9poc": 27, "simb\u00f3l": 27, "reescrit": 27, "foss": [27, 81], "arquitetur": [27, 43, 50, 72], "fortran": [27, 69], "704": [27, 69], "ampla": [27, 62], "codific": [27, 48, 77, 79, 80, 83], "debug": [27, 41], "1954": [27, 69], "motiv": [27, 84], "cust": 27, "cient\u00edf": [27, 43, 80, 91], "engenh": 27, "gast": 27, "90": [27, 59, 69], "traduz": 27, "gnu": 27, "vier": 27, "algol": [27, 69], "rithmic": 27, "languag": [27, 69, 80], "58": [27, 43, 69], "batiz": 27, "ial": 27, "international": [27, 46, 56, 69], "algorithmic": 27, "cientist": [27, 43], "american": [27, 69], "europeus": 27, "comun": [27, 39, 91], "revist": 27, "jorn": 27, "acm": [27, 69], "formaliz": 27, "atu": 27, "l\u00e9xic": 27, "81": [27, 32, 69], "procedur": 27, "absmax": 27, "m": [27, 32, 34, 68, 69, 71, 83], "subscripts": 27, "integ": 27, "comment": 27, "greatest": 27, "matrix": [27, 83], "transferred": 27, "until": 27, "then": [27, 46], "bnf": 27, "refin": 27, "tard": 27, "pet": [27, 69], "naur": 27, "influenc": 27, "genealog": 27, "contribu": [27, 90, 91], "\u00e1re": [27, 52, 56, 58, 59, 62, 73, 79, 82, 83, 88, 90, 91], "estabelec": [27, 83], "guid": [27, 69], "van": [27, 69], "rossum": [27, 69], "79": [27, 69], "funda\u00e7\u00e3": 27, "foundation": [27, 69, 89], "classific": [27, 88], "gram\u00e1t": 27, "sint\u00e1t": 27, "sem\u00e2nt": [27, 83], "decis\u00e3": 27, "standard": [27, 46, 69], "library": [27, 69], "33": [27, 69, 77, 81], "in\u00famer": [27, 79], "hor": [27, 58, 81], "comunic": [27, 34, 91], "caracter\u00edst": [27, 59, 79, 81], "din\u00e2m": [27, 91], "checag": 27, "gerenc": [27, 71, 77, 79, 82], "autom\u00e1t": [27, 63], "garbag": 27, "collector": 27, "poder": [27, 89], "oferec": [27, 32, 50, 73, 77, 91], "inspir": [27, 32, 90], "haskell": [27, 32], "cobr": 27, "extens": [27, 62], "paradigm": [27, 83], "popul": [27, 79, 80], "tiob": 27, "popular": 27, "await": 28, "except": [28, 46, 77], "lambd": 28, "nonlocal": 28, "assert": [28, 46], "async": 28, "yield": 28, "gilbert": [29, 36, 38, 48, 69, 71, 73, 80, 88], "ribeir": [29, 38, 69, 88], "rio": [29, 32, 88], "janeir": [29, 32, 69], "bel": [29, 32, 81], "horizont": [29, 32, 81], "kelvin": 29, "273": 29, "boolean": [30, 35, 36, 83], "essenc": [30, 35], "land": [30, 52, 69], "cov": [30, 69], "tradi\u00e7\u00e3": 31, "ol\u00e1": 31, "mund": 31, "new": [31, 69, 71, 73], "cois": [31, 34, 40], "consist": 31, "marrom": 31, "editor": [31, 69, 89], "aspas": [31, 34, 80], "display": [31, 46], "normalized": [31, 69], "differenc": [31, 69, 82], "vegetation": 31, "reflect": 31, "rde": 31, "infravermelh": [31, 48], "frac": [31, 48], "rho_": 31, "42": [31, 48, 62, 69, 81], "aguard": 31, "tecl": [31, 43, 44, 45], "monitor": [31, 88, 91], "fundamental": 31, "liguagens": 31, "a_0": 32, "a_1": 32, "a_2": 32, "a_": 32, "encolh": 32, "concaten": 32, "th": [32, 34], "compriment": [32, 82, 83], "count": [32, 80, 81], "pos": 32, "centr\u00f3id": [32, 77], "centroide_sp": 32, "7165": 32, "indentific": 32, "unpack": 32, "us\u00e1": 32, "marca\u00e7\u00f5": [32, 45], "nested": 32, "ret\u00e2ngul": [32, 66], "envolvent": [32, 66], "rem": 32, "pol\u00edgon": [32, 77, 79, 83], "contorn": 32, "fronteir": [32, 79, 82], "rem_sp": 32, "canto_inferior_esquerd": 32, "canto_superior_direit": 32, "per\u00edmetr": [32, 90], "object": [32, 71, 80, 81], "does": [32, 46], "support": 32, "assignment": 32, "colchet": [32, 34, 80], "distribu": 32, "mut\u00e1vel": [32, 33], "plac": [32, 46], "nova_l": 32, "revers": 32, "ascendent": 32, "lexicogr\u00e1f": 32, "opetr": 32, "extend": 32, "marian": [32, 33, 81], "invert": [32, 34], "lista_vaz": 32, "lista_letr": 32, "\u00e3": [32, 34], "p": [32, 34, 35, 48, 68, 69, 83, 85], "lista_0_ate_9": 32, "iterabl": 32, "49": [32, 69, 80, 81], "ys": [32, 33], "concis": 32, "estrat\u00e9g": [32, 59, 81], "cole\u00e7\u00f5": [33, 50, 52, 53, 77, 79, 82, 83], "duplic": 33, "uni\u00e3": 33, "intersec\u00e7\u00e3": 33, "sim\u00e9tr": 33, "mg": 33, "branc": 33, "rn": 33, "acar": 33, "caic": 33, "cruzet": 33, "exclus": 33, "perdiz": 33, "disjunt": 33, "isdisjoint": 33, "duplicat": 33, "frozenset": [33, 69], "liter": [34, 36, 38, 43, 44, 90], "mudanc": [34, 49, 56, 60, 65, 88, 91], "f\u00edsic": 34, "invalid": [34, 90], "syntax": [34, 69], "programa\u00e7\u00e3ogeoespacial": 34, "repetid": 34, "overhead": 34, "desnecess\u00e1ri": 34, "H\u00e1": 34, "op\u00e7\u00f5": [34, 40, 44, 81], "stringi": 34, "estiv\u00e9ss": [34, 81], "programa\u00e7\u00e3oprograma\u00e7\u00e3oprogram": 34, "programa\u00e7\u00e3oprograma\u00e7\u00e3oprograma\u00e7\u00e3oprogram": 34, "negat": [34, 58], "indexerror": 34, "substrings": 34, "arbitr\u00e1ri": 34, "subentend": 34, "sinal": 34, "relat": [34, 77, 82, 91], "nad": [34, 71, 89], "t\u00eam": [34, 83, 91], "seguit": 34, "costum": 34, "substring": 34, "equival": 34, "slic": [34, 81, 82], "star": 34, "gra": 34, "grad": [34, 50, 66], "p\u00e2metr": 34, "uiliz": 34, "introdu\u00e7\u00e3oprograma\u00e7\u00e3ogeoespacial": 34, "quebr": [34, 60], "particion": 34, "whitespac": 34, "assum": [34, 64, 79], "substitui\u00e7\u00f5": 34, "\u00e7\u00e3": 34, "geoesp": 34, "ci": 34, "isdigit": 34, "d\u00edgit": [34, 38], "islow": 34, "min\u00fascul": [34, 38], "isupp": 34, "mai\u00fascul": [34, 38], "low": 34, "upper": 34, "usu": [35, 89], "conjun\u00e7\u00e3": 35, "proposi\u00e7\u00f5": 35, "disjun\u00e7\u00e3": 35, "nega\u00e7\u00e3": [35, 83], "proposi\u00e7\u00e3": 35, "q": [35, 48], "wedg": 35, "vee": 35, "neg": [35, 83], "1972": 36, "aparec": [36, 80, 81], "1982": 36, "split": 36, "fundament": [36, 62, 91], "types": [36, 69, 81], "473": 36, "3j": [36, 48], "\u00edmpar": [36, 48, 83], "sentinel": [36, 51, 52, 62, 91], "infinit": [37, 83], "1003": 37, "9223372036854775808": 37, "2e12": 37, "5200000000000": 37, "fractions": 37, "racion": 37, "abstra": [38, 79], "posi\u00e7\u00f5": 38, "nomenclatur": [38, 48, 71, 83], "underscor": 38, "distin\u00e7\u00e3": 38, "receb": [39, 67, 68, 73, 77, 82], "acad\u00eam": 39, "ind\u00fastr": [39, 72], "notebooks": [39, 40, 50, 51, 52, 53, 54, 62, 69, 90, 91], "narrat": [39, 89, 91], "anot": [39, 89, 91], "textu": [39, 80, 89, 91], "compat\u00edv": [39, 91], "tecnolog": [39, 79, 88, 89], "todav": 39, "nuv": [39, 50], "kaggl": 39, "ipython": [39, 40, 41, 42, 43, 69], "m\u00e1gic": [39, 40, 42], "hist\u00f3r": [39, 44, 72], "estend": 40, "so": [40, 46, 71], "exclam": 40, "cmd": 40, "liclips": 40, "qgis": [40, 91], "unix": 40, "drwxrwxr": 40, "4096": 40, "abr": 40, "52": [40, 69, 80, 81], "57": [40, 48, 69, 81, 91], "diretori": 40, "usr": 40, "cdrom": 40, "lib64": 40, "proc": [40, 46], "boot": 40, "opt": 40, "srv": 40, "gam": 40, "includ": [40, 46, 71], "libexec": 40, "src": 40, "magic": 41, "estil": [41, 82], "magics": 41, "cell": 41, "timeit": 41, "m\u00e9di": 41, "1000": 41, "161": 41, "ns": 41, "per": 41, "loop": 41, "mean": [41, 81], "std": [41, 81], "runs": 41, "10000000": 41, "each": 41, "lsmagic": 41, "out": [41, 42, 43, 44, 46, 77, 81, 82], "availabl": [41, 46, 68], "alias_magic": 41, "autoawait": 41, "autocall": 41, "autoindent": 41, "automagic": 41, "bookmark": 41, "cat": 41, "cle": 41, "colors": 41, "cp": 41, "cpast": 41, "dhist": 41, "dirs": 41, "doctest_mod": 41, "ed": 41, "edit": 41, "hist": 41, "history": [41, 42], "killbgscripts": 41, "ldir": 41, "less": 41, "lf": 41, "lk": 41, "ll": 41, "load_ext": 41, "loadpy": 41, "logoff": 41, "logon": 41, "logstart": 41, "logstat": 41, "logstop": 41, "lx": 41, "macr": 41, "man": 41, "mkdir": 41, "mor": [41, 46], "pag": [41, 69, 73, 80, 91], "pastebin": 41, "pdb": 41, "pdef": 41, "pdoc": 41, "pfil": 41, "pinf": 41, "pinfo2": 41, "popd": 41, "pprint": 41, "precision": [41, 77], "prun": 41, "psearch": 41, "psourc": 41, "pushd": 41, "pycat": 41, "pylab": 41, "quickref": [41, 44], "recall": 41, "rehashx": 41, "reload_ext": 41, "rep": [41, 69], "rerun": 41, "reset": [41, 71], "reset_selectiv": 41, "rm": 41, "rmdir": 41, "sc": 41, "set_env": 41, "sx": 41, "tb": 41, "unal": 41, "unload_ext": 41, "who": 41, "who_ls": 41, "whos": 41, "xdel": 41, "xmod": 41, "svg": [41, 82], "javascript": 41, "js": 41, "markdown": [41, 43, 45, 71], "perl": 41, "pypy": 41, "python2": 41, "python3": [41, 75], "ruby": 41, "writefil": 41, "needed": 41, "\u00b5s": 41, "149": 41, "defini\u00e7\u00f5": [41, 83, 91], "haversin": [41, 45, 48], "esfer": [41, 48], "111": 41, "19492664455873": 41, "coment": [41, 48], "distanciahaversiv": 41, "rai": [41, 48, 89], "terr": [41, 48, 52, 53, 57, 60, 88], "6371km": 41, "raio_terr": 41, "6371": 41, "distanciahaversin": 41, "lat1": 41, "long1": 41, "lat2": 41, "long2": 41, "pront": [41, 57], "decim": 41, "long3": 41, "returns": 41, "covert": 41, "\u03d51": 41, "radians": 41, "\u03d52": 41, "\u03bb1": 41, "\u03bb2": 41, "\u03b4\u03d5": 41, "\u03b4\u03bb": 41, "sin2_f": 41, "sin": [41, 48], "sin2_lambd": 41, "asin": 41, "cos": [41, 48], "__name__": 41, "__main__": 41, "argv": 41, "v\u00edd": [41, 91], "youtub": 41, "embut": 41, "client": [41, 43, 46, 54, 72], "148": 41, "65": [41, 69, 91], "desativ": 41, "mant\u00e9m": [42, 91], "acab": 42, "sobrescrev": 42, "_n": 42, "seq_fibonacc": [42, 44], "_i2": 42, "_i3": 42, "_i": 42, "_ih": 42, "_i1": 42, "ecossistem": 43, "tab": [43, 44], "completion": [43, 44], "introspec\u00e7\u00e3": [43, 44], "fort": [43, 44, 79], "distribu\u00edd": [43, 44, 72], "paralel": [43, 44, 53], "realc": [43, 44, 89], "acord": [43, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 83], "sofistic": 43, "direcion": 43, "73": [43, 69, 77, 80], "web": [43, 52, 62, 73, 77, 79, 80, 90, 91], "mistur": 43, "Esses": [43, 54, 81, 83, 91], "74": [43, 69], "ipynb": [43, 45], "mencion": 43, "front": 43, "ends": 43, "irkernel": 43, "ijul": 43, "jul": [43, 91], "sess\u00e3": [43, 44], "jupt": 43, "dir": [43, 71], "fern": [43, 69], "p\u00e9rez": [43, 69], "supr": 43, "rotin": [43, 90], "di\u00e1r": 43, "abrig": 43, "disribui\u00e7\u00e3": 44, "tradicional": [44, 89], "devid": [44, 71, 77], "dire\u00e7\u00e3": 44, "obten\u00e7\u00e3": [44, 66], "Comando": 44, "help": [44, 73], "t\u00edtul": [45, 48, 80, 88], "untitled": 45, "salv": [45, 71], "caix": [45, 73], "multilinh": 45, "pression": 45, "shift": 45, "clic": 45, "bot\u00e3": 45, "bot\u00f5": 45, "selected": 45, "cells": 45, "menus": 45, "essencial": 45, "raw": 45, "drop": 45, "down": 45, "renderiz": 45, "attribution": 46, "sharealik": 46, "creativ": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "commons": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "corporation": 46, "law": 46, "firm": 46, "provid": 46, "legal": [46, 91], "servic": [46, 49, 50, 53, 54, 62, 72, 77, 79, 80, 90], "advic": 46, "distribution": [46, 71], "public": [46, 73, 80, 91], "lawy": 46, "other": 46, "relationship": 46, "mak": 46, "its": 46, "related": 46, "information": [46, 69, 85], "an": [46, 69, 80], "giv": 46, "warranti": 46, "regarding": 46, "any": 46, "licensed": 46, "under": 46, "conditions": 46, "disclaims": 46, "all": 46, "liability": 46, "damag": 46, "resulting": 46, "fullest": 46, "extent": 46, "possibl": 46, "using": [46, 68, 69, 71, 85], "creators": 46, "rights": 46, "holders": 46, "may": [46, 69], "works": 46, "authorship": 46, "subject": [46, 80], "copyright": 46, "certain": 46, "specified": 46, "following": 46, "considerations": 46, "are": [46, 82, 89], "informational": 46, "purpos": 46, "only": 46, "exhaustiv": 46, "licensors": 46, "intended": [46, 80], "thos": 46, "authorized": 46, "permission": 46, "ways": 46, "otherwis": 46, "restricted": 46, "irrevocabl": 46, "should": 46, "understand": 46, "they": 46, "choos": 46, "befor": 46, "applying": 46, "also": 46, "secur": 46, "necessary": 46, "can": 46, "reus": 46, "expected": 46, "clearly": 46, "cc": 46, "used": 46, "exception": 46, "limitation": 46, "wik": [46, 69, 73, 91], "creativecommons": [46, 80], "considerations_for_licensors": 46, "licensor": 46, "grants": 46, "reason": 46, "exampl": 46, "becaus": 46, "applicabl": 46, "regulated": 46, "grant": 46, "permissions": 46, "has": 46, "authority": 46, "still": 46, "reasons": 46, "including": 46, "others": 46, "special": 46, "requests": [46, 48], "such": 46, "asking": 46, "marked": 46, "described": 46, "although": 46, "encouraged": 46, "reasonabl": 46, "considerations_for_licens": 46, "exercising": 46, "agre": 46, "bound": 46, "interpreted": 46, "contract": 46, "granted": 46, "consideration": 46, "acceptanc": 46, "benefits": 46, "receiv": 46, "making": 46, "section": 46, "definitions": 46, "adapted": 46, "means": 46, "derived": [46, 69], "based": 46, "upon": 46, "which": 46, "translated": 46, "altered": 46, "arranged": 46, "transformed": 46, "modified": [46, 71], "mann": 46, "requiring": 46, "held": 46, "musical": 46, "work": 46, "performanc": 46, "sound": 46, "recording": 46, "always": 46, "produced": 46, "synched": 46, "timed": 46, "relation": 46, "moving": 46, "adapt": [46, 83, 91], "apply": 46, "contributions": 46, "accordanc": 46, "sa": 46, "compatibl": 46, "listed": 46, "at": [46, 69], "compatiblelicens": 46, "approved": 46, "essentially": 46, "closely": 46, "without": 46, "broadcast": 46, "sui": 46, "gener": 46, "databas": [46, 62, 69], "regard": 46, "how": [46, 69], "labeled": 46, "categorized": 46, "effectiv": 46, "technological": 46, "measur": 46, "absenc": 46, "prop": 46, "circumvented": 46, "laws": 46, "fulfilling": 46, "obligations": 46, "articl": [46, 69, 77, 80], "wip": 46, "treaty": 46, "adopted": 46, "decemb": [46, 69], "1996": [46, 69], "agreements": 46, "exceptions": 46, "limitations": 46, "fair": 46, "dealing": 46, "appli": 46, "elements": 46, "artistic": 46, "literary": 46, "applied": 46, "limited": 46, "entity": 46, "ies": 46, "granting": 46, "requ": 46, "reproduction": 46, "dissemination": 46, "communication": 46, "importation": 46, "members": 46, "individually": 46, "chosen": 46, "them": 46, "than": 46, "directiv": 46, "96": 46, "ec": 46, "european": 46, "parliament": 46, "council": 46, "march": [46, 69], "protection": 46, "amended": 46, "succeeded": 46, "anywher": 46, "corresponding": 46, "meaning": 46, "scop": 46, "hereby": 46, "worldwid": 46, "royalty": 46, "fre": [46, 73], "sublicensabl": 46, "exclusiv": 46, "exercis": 46, "reproduc": 46, "whol": 46, "produc": 46, "avoidanc": 46, "doubt": 46, "need": 46, "comply": 46, "formats": 46, "technical": [46, 69], "modifications": 46, "allowed": 46, "authoriz": 46, "wheth": 46, "hereaft": 46, "created": [46, 80], "waiv": 46, "right": 46, "forbid": 46, "circumvent": 46, "simply": 46, "nev": 46, "downstr": 46, "recipients": 46, "offer": 46, "every": 46, "recipient": 46, "automatically": [46, 69], "additional": [46, 80], "restrictions": 46, "impos": 46, "doing": 46, "restricts": 46, "endorsement": 46, "nothing": [46, 71], "constitut": 46, "construed": 46, "imply": 46, "connected": 46, "sponsored": 46, "endorsed": 46, "official": 46, "status": [46, 80], "designated": 46, "provided": 46, "moral": 46, "integrity": 46, "nor": 46, "publicity": 46, "privacy": 46, "personality": 46, "howev": 46, "allow": 46, "but": [46, 71], "patent": 46, "trademark": 46, "collect": 46, "royalti": 46, "directly": 46, "through": [46, 69], "collecting": 46, "society": [46, 69], "voluntary": 46, "waivabl": 46, "statutory": 46, "compulsory": 46, "licensing": 46, "schem": [46, 77], "expressly": 46, "mad": 46, "must": 46, "retain": 46, "supplied": 46, "identification": 46, "creator": 46, "requested": 46, "pseudonym": 46, "notic": 46, "refers": 46, "disclaim": 46, "uri": 46, "hyperlink": 46, "reasonably": 46, "practicabl": 46, "indicat": 46, "indication": 46, "previous": 46, "satisfy": 46, "medium": 46, "providing": 46, "resourc": 46, "addition": 46, "sam": 46, "lat": [46, 77, 80], "condition": 46, "restrict": 46, "extract": [46, 69], "substantial": 46, "portion": 46, "supplements": 46, "replac": 46, "separately": 46, "undertaken": 46, "offers": 46, "AS": 46, "NO": 46, "representations": 46, "kind": [46, 81], "concerning": 46, "implied": 46, "merchantability": 46, "fitness": 46, "FOR": 46, "particul": [46, 62], "infringement": 46, "latent": 46, "defects": 46, "accuracy": 46, "presenc": [46, 58, 59], "errors": 46, "discoverabl": 46, "disclaimers": 46, "full": 46, "event": [46, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 83], "liabl": 46, "theory": 46, "negligenc": 46, "direct": 46, "indirect": 46, "incidental": 46, "consequential": 46, "punitiv": 46, "exemplary": 46, "loss": 46, "costs": 46, "expens": 46, "arising": 46, "even": 46, "been": 46, "advised": 46, "possibility": 46, "abov": 46, "shall": 46, "approximat": 46, "termination": 46, "her": 46, "fail": 46, "terminat": 46, "terminated": 46, "reinstat": 46, "violation": 46, "cured": 46, "within": 46, "days": 46, "discovery": 46, "reinstatement": 46, "affect": 46, "seek": 46, "remedi": 46, "violations": 46, "separat": 46, "distributing": 46, "sections": 46, "surviv": 46, "communicated": 46, "agreed": 46, "arrangements": 46, "understandings": 46, "stated": 46, "herein": 46, "interpretation": 46, "reduc": 46, "could": 46, "lawfully": 46, "provision": 46, "deemed": 46, "unenforceabl": 46, "reformed": 46, "enforceabl": 46, "cannot": 46, "severed": 46, "affecting": 46, "enforceability": 46, "remaining": 46, "waived": 46, "failur": 46, "consented": 46, "privileg": 46, "immuniti": 46, "jurisdiction": 46, "party": 46, "notwithstanding": 46, "elect": 46, "instanc": 46, "considered": 46, "dedicated": 46, "domain": 46, "cc0": 46, "dedication": 46, "indicating": 46, "permitted": 46, "polic": [46, 69], "published": [46, 80], "prior": 46, "written": 46, "consent": 46, "connection": 46, "unauthorized": 46, "paragraph": 46, "contacted": 46, "aten\u00e7\u00e3": [48, 83], "achar": 48, "pertinent": 48, "utf": [48, 77], "entreg": [48, 90], "exercici": 48, "acent": 48, "mail": [48, 73, 90], "destinat\u00e1ri": 48, "professor": [48, 90], "assunt": 48, "prog": [48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62], "praz": 48, "equa\u00e7\u00f5": [48, 51, 62], "faix": 48, "51": [48, 69, 80, 81], "grau": 48, "terrestr": [48, 79], "2r": 48, "arcsin": 48, "phi_2": 48, "phi_1": 48, "lambda_2": 48, "lambda_1": 48, "sim6371": 48, "km": [48, 58], "trigonom\u00e9tr": 48, "invers": [48, 83], "Mais": [48, 72, 80], "tri\u00e2ngul": 48, "realment": [48, 71], "classifiqu": 48, "is\u00f3scel": 48, "escalen": 48, "equil\u00e1ter": 48, "dig": 48, "divis": 48, "pertencent": [48, 77, 79, 80], "segment": [48, 63, 88], "perpendicul": 48, "cheg": [48, 73, 91], "hessean": 48, "p_1": 48, "x_1": 48, "y_1": 48, "p_2": 48, "x_2": 48, "y_2": 48, "h": [48, 68, 69, 83], "nievergelt": [48, 69], "hinrichs": [48, 69], "1993": [48, 69], "onlin": [48, 69, 78, 80, 89], "point": [48, 77, 83], "dimensional": [48, 82], "geq": 48, "luc": [48, 69], "47": [48, 69, 81, 91], "quad": 48, "pell": 48, "169": 48, "408": 48, "2p": 48, "simul": [48, 69], "div": 48, "usgs": [48, 69], "mod09a1": 48, "a2006001": 48, "h08v05": 48, "005": 48, "2006012234657": 48, "product": 48, "short": [48, 80], "satellit": [48, 58, 69, 80], "julian": 48, "acquisition": 48, "yyyyddd": 48, "til": 48, "identifi": 48, "horizontalxxverticalyy": 48, "collection": [48, 77, 78, 79], "2006012234567": 48, "production": 48, "yyyydddhhmmss": 48, "eos": 48, "year": 48, "2006": [48, 69], "day": 48, "001": [48, 69], "horizontal": 48, "vertical": 48, "012": 48, "hour": 48, "minut": [48, 58], "second": 48, "nome_do_arqu": 48, "unknown": 48, "year_of_acquisition": 48, "julian_day": 48, "horizontal_til": 48, "vertical_til": 48, "year_of_production": 48, "julian_day_of_production": 48, "production_hour": 48, "production_minut": 48, "39": [48, 69, 81, 83], "production_second": 48, "41": [48, 69, 80, 81], "data_format": 48, "documentation": [48, 69], "methods": [48, 69], "ser347": 48, "cbers_4_pan5m_20180308": 48, "pan5m": 48, "20180308": 48, "protocol": [48, 77], "queim": [48, 62, 83], "disponibiliz": [48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 79, 89, 91], "dgi": 48, "inc\u00eandi": [48, 79, 81], "detect": [48, 68, 71], "di\u00e1ri": 48, "downloadfil": 48, "app": 48, "dados_abert": 48, "diari": 48, "focos_abertos_24h_20230402": 48, "csv": 48, "mac": [48, 71, 75, 89], "walk": 48, "terraclass": [48, 52, 57], "descrica": 48, "mt": 48, "arq1": 48, "shp": [48, 77], "arq2": 48, "pa": 48, "arq3": 48, "parac": 48, "ident": 48, "descompat": 48, "cub": [49, 51, 52, 54, 55, 56, 57, 58, 59, 60, 62, 69, 88, 91], "cloud": [49, 68, 69, 72], "bdc": [49, 50, 52, 77], "spectral": [49, 61, 69], "amostrag": 49, "wlts": 49, "eo": [49, 80], "stac": [49, 50, 53], "detec\u00e7\u00e3": [49, 68, 88], "desastr": [49, 63], "tempor": [49, 50, 52, 53, 62, 90], "goes": 49, "augmentation": 49, "desliz": 49, "cobertur": [50, 52, 56, 57, 60, 88, 91], "nuvens": [50, 58, 59, 63], "percentual": 50, "footprint": 50, "porcentag": 50, "mensal": 50, "anual": [50, 91], "lucen": [50, 69], "et": [50, 62, 91], "al": [50, 62, 91], "m\u00e1c": 50, "cat\u00e1log": 50, "parti\u00e7\u00f5": 50, "arbitr\u00e1r": 50, "municip": [50, 83], "estadu": 50, "biom": [50, 81, 88], "mit": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71, 73, 85], "templat": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 71], "relat\u00f3ri": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68], "geoinf": [50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 62, 64, 65, 66, 67, 68, 69], "Com": [51, 66], "necess\u00e1r": [51, 62, 77, 90], "output": [51, 62, 81], "verbos": [51, 62], "portal": [51, 53, 54, 62, 69], "trajectory": 52, "trajet\u00f3r": 52, "mapbiom": [52, 57], "lapig": 52, "pastagens": 52, "ibge": [52, 77, 79], "awfi": [52, 79], "extra\u00e7\u00e3": [52, 53, 60], "metodolog": [52, 84, 91], "regi\u00e3": [52, 55, 60, 66, 83, 91], "cod": [52, 54, 69, 71, 73], "gallery": [52, 54], "eocub": 53, "datacub": 53, "xarray": 53, "biliotec": 53, "spatiotemporal": 54, "asset": 54, "catalog": 54, "gal": [54, 91], "acrescent": [54, 81], "holoviews": 54, "4a": [55, 65, 68], "imagem_t1": 55, "t2": 55, "houv": 55, "anal": 55, "alert": 55, "particip": 56, "chart": 56, "spac": 56, "major": 56, "disasters": 56, "inund": 56, "urban": [56, 62], "alag": 56, "ruas": 56, "street": [56, 65], "afet": 56, "che": 56, "\u00e1gu": [56, 62], "cruz": [56, 82, 89], "estim": [56, 64, 91], "visual": 56, "visu": 57, "eventual": 57, "ressalt": 57, "alvo": 57, "mascar": 57, "propost": [57, 83, 89, 90], "m\u00e1sc": [57, 63], "geostationary": 58, "operational": 58, "environmental": 58, "apes": [58, 73, 91], "espacial": [58, 77, 79, 82, 90], "fog": [58, 88], "pre": 58, "infer": 58, "ac\u00famul": 58, "intermedi\u00e1ri": [58, 82], "deep": 59, "learning": [59, 85, 89], "aument": 59, "recort": [59, 67, 90], "regi\u00f5": [59, 67, 83], "ru\u00edd": 59, "filtr": 59, "proponh": 59, "sombr": [59, 68], "brusc": 60, "tend\u00eanc": [60, 79, 81], "estabil": 60, "curv": [60, 83], "caracteriz": [60, 79], "m\u00e9tric": 60, "stmetrics": 60, "espacializ": 60, "r1": 62, "r2": 62, "bibliogr\u00e1f": 62, "msi": 62, "wfi": [62, 66, 68], "cbers4": 62, "r3": 62, "bidimension": 62, "r4": 62, "palet": 62, "r5": 62, "apropri": [62, 90], "r6": 62, "r7": 62, "r8": 62, "cebers4": 62, "supported": 62, "canopy": 62, "chlorophyll": 62, "content": [62, 80], "crop": 62, "wat": [62, 69], "stress": 62, "evi": 62, "jensen": [62, 69], "sele\u00e7\u00e3": [62, 73], "lozan": [62, 69], "2007": [62, 69], "capolup": [62, 69], "banc": [62, 77, 79, 88, 90], "incident": [63, 83], "sol": 63, "\u00f3tim": 63, "amazon": [63, 69, 81], "pan10": 64, "pan5": 64, "l2": [64, 82], "fus\u00e3": 64, "pan": 64, "b2": 64, "b3": 64, "b4": 64, "pancrom\u00e1t": 64, "b1": 64, "co": 64, "espalh": 64, "aleat\u00f3ri": 64, "3x3": 64, "5x5": 64, "m\u00f3v": 64, "sistem\u00e1t": 64, "obtiv": 64, "semelhanc": 64, "buildings": 65, "textur": 65, "danific": 65, "terremot": 65, "turqu": 65, "fevereir": [65, 69], "diyarbak": 65, "paragua": 66, "mosaic": [66, 90], "cen": [66, 67], "123": [66, 81], "129": 66, "162": 66, "1km": 66, "5km": 66, "10km": 66, "proporcion": 66, "noa": 66, "calculator": 66, "minimiz": [66, 67], "Seu": 67, "homog\u00ean": [67, 77, 83], "valid": 67, "escolh": [67, 71, 73, 75, 89], "rsgislib": 67, "felzenszwalb": 67, "opencv": 67, "sistemat": 67, "iou": 67, "intersection": [67, 82], "over": 67, "union": [67, 82], "varia\u00e7\u00e3": [67, 83], "brasileir": [68, 79, 83, 88], "fmask": 68, "sen2cor": 68, "mora": 68, "feitos": 68, "souz": 68, "mirand": 68, "luz": 68, "ronis": 68, "semiautom\u00e1t": 68, "detection": 68, "terraamazon": 68, "simp\u00f3si": 68, "DE": 68, "sbsr": 68, "2017": [68, 69, 81], "ana": [68, 90], "5009": 68, "5016": 68, "internet": [68, 69, 78, 80, 90], "isbn": [68, 69], "978": [68, 69], "85": [68, 69, 77], "00088": 68, "ibi": 68, "8jmkd3mgp6w34m": 68, "3psm45q": 68, "maruj": [68, 69], "fonsec": 68, "korting": 68, "bendin": 68, "mux": 68, "automatic": [68, 69], "clouds": 68, "shadows": 68, "decision": 68, "tre": [68, 71], "6328": 68, "6335": 68, "3psmcmh": 68, "michael": [69, 85], "payn": 69, "ared": 69, "erickson": 69, "cort": [69, 91], "daniel": 69, "cookbook": 69, "mai": 69, "pcjericks": 69, "gdalogr": 69, "jan": 69, "doi": [69, 80], "1145": 69, "320764": 69, "320766": 69, "beeb": 69, "best": 69, "goldberg": 69, "haibt": 69, "herrick": 69, "nelson": 69, "sayr": 69, "sheridan": 69, "stern": 69, "zill": 69, "hugh": 69, "nutt": 69, "coding": 69, "papers": 69, "presented": 69, "february": 69, "1957": 69, "western": 69, "joint": 69, "conferenc": 69, "techniqu": 69, "reliability": 69, "ire": 69, "aiee": 69, "188": [69, 81], "198": 69, "york": 69, "ny": 69, "association": 69, "computing": [69, 90], "machinery": 69, "1455567": 69, "1455599": 69, "dan": 69, "bad": 69, "structur": 69, "aug": 69, "abril": 69, "realpython": 69, "loren": 69, "barb": 69, "terminologi": 69, "reproducibl": 69, "research": 69, "2018": [69, 73, 77, 91], "arxiv": 69, "1802": 69, "03311": 69, "carl": 69, "boettig": 69, "introduction": [69, 85], "sigops": 69, "syst": 69, "rev": 69, "2723872": 69, "2723882": 69, "butl": 69, "daly": 69, "doyl": 69, "gilli": 69, "hagen": 69, "schaub": 69, "report": 69, "rfc": 69, "7946": 69, "engineering": 69, "task": 69, "forc": 69, "ietf": 69, "august": 69, "2016": [69, 81, 85, 88, 91], "rfc7946": 69, "17487": 69, "alessandr": 69, "cristin": 69, "monteris": 69, "eufem": 69, "tarantin": 69, "classification": 69, "algorithm": 69, "lic": 69, "earth": [69, 80], "sensing": [69, 80], "mdpi": [69, 80], "2072": [69, 80], "4292": [69, 80], "1201": 69, "3390": [69, 80], "rs12071201": 69, "scott": 69, "chacon": 69, "ben": 69, "strub": 69, "pro": [69, 89], "apress": 69, "scm": 69, "book": 69, "en": [69, 73, 80], "v2": 69, "elis": 69, "clementin": 69, "paolin": 69, "di": 69, "felic": 69, "oosterom": 69, "small": 69, "topological": 69, "relationships": 69, "suitabl": 69, "interaction": 69, "david": [69, 85], "abel": 69, "beng": 69, "chin": 69, "ooi": 69, "editors": 69, "advanc": 69, "277": 69, "295": 69, "berlin": 69, "heidelberg": 69, "spring": [69, 85], "1007": 69, "540": 69, "56869": 69, "7_16": 69, "dougl": 69, "crockford": 69, "dahl": 69, "bj\u00f8rn": 69, "myhrhaug": 69, "norwegian": 69, "cent": 69, "oslo": 69, "norway": 69, "octob": 69, "1970": 69, "ics": 69, "uci": 69, "edu": 69, "jajon": 69, "inf102": 69, "s18": 69, "readings": 69, "10_simul": 69, "pdf": [69, 80], "andrew": 69, "dalk": 69, "raymond": 69, "hetting": 69, "sorting": 69, "docs": 69, "howt": 69, "sortinghowt": 69, "scientific": [69, 85], "submission": 69, "guidelin": 69, "sdat": 69, "rafael": 69, "s\u00e1": 69, "menez": 69, "elton": 69, "vicent": 69, "escob": 69, "silv": 69, "rennan": 69, "freit": 69, "bezerr": 69, "matheus": 69, "cavassan": 69, "zagl": 69, "lub": 69, "vinh": 69, "karin": [69, 80], "reis": 69, "ferreir": [69, 80], "queiroz": [69, 71, 73, 80, 88], "bdc3": 69, "view": 69, "tiag": 69, "senn": 69, "carneir": 69, "albert": 69, "felgueir": 69, "proceedings": 69, "xxi": 69, "novemb": 69, "sp": [69, 80], "222": 69, "227": 69, "urlib": 69, "net": 69, "8jmkd3mgpdw34p": 69, "43pr3a2": 69, "eric": 69, "delmell": 69, "sampling": 69, "1385": 69, "1399": 69, "2014": [69, 81, 85], "642": 69, "23430": 69, "9_73": 69, "fapesp": 69, "scienc": [69, 80, 85, 89], "openscienc": 69, "operations": 69, "stdtypes": 69, "dictionari": 69, "datastructur": 69, "displays": 69, "lists": 69, "sets": 69, "expressions": 69, "formatted": 69, "literals": 69, "lexical_analys": 69, "encod": 69, "decod": 69, "keywords": 69, "looping": 69, "mapping": [69, 77], "mutabl": 69, "typesseq": 69, "statement": 69, "compound_stmts": 69, "printf": 69, "style": 69, "formatting": 69, "old": 69, "herring": 69, "openg": 69, "implementation": 69, "featur": [69, 77, 79, 83], "sql": [69, 79, 83], "option": 69, "104r4": 69, "geospatial": [69, 82, 91], "inc": 69, "2010": [69, 81], "opengeospatial": 69, "standards": 69, "sfs": [69, 82], "architectur": 69, "103r4": 69, "sfa": 69, "ecma": 69, "interchang": 69, "404": 69, "2nd": [69, 85], "edition": [69, 85], "genev": 69, "swiss": 69, "publications": [69, 85], "st": 69, "keith": 69, "clark": 69, "chapt": 69, "357": 69, "410": 69, "brasil": [69, 77], "2009": [69, 81], "project": 69, "readthedocs": 69, "latest": 69, "44": [69, 81, 91], "kedron": 69, "wenwen": 69, "li": 69, "stewart": 69, "fotheringh": 69, "goodchild": [69, 85], "reproducibility": [69, 91], "replicability": 69, "opportuniti": 69, "challeng": 69, "journal": [69, 80], "geographical": 69, "427": 69, "445": 69, "1080": 69, "13658816": 69, "1802032": 69, "thom": 69, "kluyv": 69, "benjamin": 69, "ragan": 69, "kelley": 69, "rez": 69, "brian": 69, "grang": 69, "matth": 69, "bussonni": 69, "jonathan": 69, "frederic": 69, "kyle": 69, "jessic": 69, "hamrick": 69, "jason": 69, "grout": 69, "sylvain": 69, "corlay": 69, "ivanov": 69, "dam": 69, "\u00e1": 69, "avil": 69, "saf": 69, "abdall": 69, "carol": 69, "willing": 69, "development": [69, 89], "team": 69, "publishing": 69, "computational": 69, "workflows": 69, "loizid": 69, "birgit": 69, "scmidt": 69, "positioning": 69, "academic": 69, "players": 69, "agents": 69, "agend": 69, "ios": 69, "eprints": 69, "soton": 69, "ac": 69, "uk": 69, "403913": 69, "kuchling": 69, "functional": 69, "generator": 69, "lass": 69, "creating": 69, "executabl": 69, "pap": 69, "journey": 69, "communications": 69, "physics": 69, "1038": 69, "s42005": 69, "020": 69, "00403": 69, "learnpython": 69, "lofar": 69, "working": [69, 71], "april": 69, "javi": 69, "susan": 69, "su\u00e1rez": 69, "seoan": 69, "estanisla": 69, "luis": 69, "assessment": 69, "several": 69, "fir": 69, "occurrenc": 69, "probability": 69, "modelling": 69, "107": 69, "533": [69, 71], "544": 69, "sciencedirect": 69, "pii": 69, "s003442570600366x": 69, "1016": 69, "rse": 69, "mcfeeters": 69, "delineation": 69, "1425": 69, "1432": 69, "01431169608948714": 69, "robert": 69, "mcneel": 69, "develop": [69, 71], "rhino3d": 69, "rhinopython": 69, "xml": 69, "53": [69, 81, 91], "NASA": [69, 91], "Nasa": 69, "fleet": 69, "earthobservatory": 69, "nasa": 69, "gov": 69, "81559": 69, "nasas": 69, "monitoring": 69, "deforestation": 69, "jurg": 69, "klaus": 69, "algorithms": 69, "applications": 69, "graphics": 69, "geometry": [69, 77, 78, 82], "prentic": 69, "hall": 69, "56": [69, 81, 91], "n\u00fcst": 69, "edzer": 69, "pebesm": 69, "practical": 69, "geography": 69, "geoscienc": 69, "annals": 69, "geographers": 69, "24694452": 69, "1806028": 69, "plos": 69, "materials": 69, "sharing": 69, "journals": 69, "ploson": 69, "ip": 69, "ython": 69, "interactiv": 69, "1109": 69, "mcse": 69, "satyabrat": 69, "pal": 69, "datacamp": 69, "tutorials": 69, "rog": 69, "peng": [69, 91], "334": 69, "6060": 69, "1226": 69, "1227": 69, "1126": 69, "1213847": 69, "ulrich": 69, "petr": 69, "horst": 69, "gutmann": 69, "pyformat": 69, "62": [69, 91], "nancy": 69, "pontik": 69, "knoth": 69, "matt": 69, "cancellier": 69, "samuel": 69, "pearc": 69, "fostering": 69, "taxonomy": 69, "elearning": 69, "15th": 69, "knowledg": [69, 77, 91], "technologi": 69, "driven": 69, "business": 69, "know": 69, "2809563": 69, "2809571": 69, "63": [69, 81, 91], "stephen": 69, "powers": 69, "stephani": 69, "hampton": 69, "transparency": 69, "ecology": 69, "ecological": 69, "e01822": 69, "2019": [69, 91], "esajournals": 69, "onlinelibrary": 69, "wiley": [69, 85], "1002": 69, "eap": 69, "1822": 69, "organization": 69, "systems": [69, 72, 85], "isa": 69, "machin": [69, 89], "cis": 69, "ufl": 69, "mssz": 69, "comporg": 69, "cda": 69, "lang": 69, "editorial": 69, "sciencemag": 69, "authors": 69, "kevin": 69, "addison": 69, "wesley": 69, "professional": 69, "4th": [69, 85], "032157351x": 69, "67": 69, "adity": 69, "sharm": 69, "definitiv": 69, "dictionary": 69, "royal": 69, "mining": 69, "royalsociety": 69, "ethics": 69, "69": [69, 91], "soill": [69, 91], "burg": 69, "kempeneers": 69, "rodriguez": 69, "syrris": 69, "vasilev": 69, "versatil": 69, "intensiv": 69, "platform": 69, "retrieval": 69, "futur": [69, 73, 91], "generation": 69, "s0167739x1730078x": 69, "007": 69, "sturtz": 69, "dicts": 69, "nbformat": 69, "christoph": 69, "trudeau": 69, "records": 69, "selecting": 69, "ideal": 69, "cours": 69, "multisets": 69, "lessons": 69, "multiset": 69, "jam": 69, "ueji": 69, "r9526": 69, "centrum": 69, "voor": 69, "wiskund": 69, "informat": 69, "cwi": 69, "amsterd": 69, "1995": 69, "ir": [69, 71], "nl": 69, "pub": 69, "5007": 69, "05007d": 69, "moin": 69, "forloop": 69, "wikiped": [69, 73], "algol_60": 69, "ibm_704": 69, "83": 69, "mips": 69, "mips_instruction_set": 69, "level": 69, "processor": 69, "instruction": 69, "level_computing": 69, "aqa": 69, "computer_components": 69, "_the_stored_program_concept_and_the_internet": 69, "machine_level_architectur": 69, "machine_code_and_processor_instruction_set": 69, "stepwis": 69, "commun": 69, "221": 69, "apr": 69, "1971": 69, "362575": 69, "362577": 69, "programs": 69, "ptr": 69, "1978": 69, "0130224189": 69, "apronfund": 71, "vem": [71, 89], "distribui\u00e7\u00f5": [71, 89], "readm": [71, 73], "md": [71, 73], "ah": 71, "gitignor": [71, 73], "byte": 71, "compiled": 71, "optimized": 71, "dll": 71, "__pycache__": 71, "extensions": 71, "packaging": 71, "eggs": 71, "dist": 71, "mypy": 71, "mypy_cach": 71, "dmypy": 71, "pyre": 71, "branch": 71, "mast": 71, "commit": 71, "clean": 71, "conform": [71, 75, 80, 81, 82], "brev": [71, 73], "links": 71, "interess": [71, 81, 89], "staged": 71, "what": 71, "committed": 71, "checkout": 71, "discard": 71, "directory": 71, "added": 71, "\u00e1rvor": 71, "ramific": 71, "orig": 71, "desfaz": 71, "sugest\u00e3": [71, 73], "head": [71, 81], "unstag": 71, "modifc": 71, "mofic": 71, "2c270dc": 71, "changed": 71, "insertions": 71, "deletions": 71, "rewrit": 71, "frent": 71, "orginal": 71, "ahead": 71, "push": 71, "commits": 71, "already": 71, "senh": 71, "usernam": 71, "password": 71, "credenc": 71, "counting": 71, "objects": 71, "don": 71, "compression": 71, "threads": 71, "compressing": 71, "kib": 71, "reused": 71, "resolving": 71, "completed": 71, "e8c3404": 71, "untracked": 71, "track": 71, "decid": 71, "inclus\u00e3": [71, 73], "1e6c2e8": 71, "100644": 71, "podem": 71, "crednec": 71, "surg": 72, "simult\u00e2n": 72, "multiusu\u00e1ri": 72, "pdfs": 72, "abrevi": [72, 80], "vcs": 72, "pioneir": 72, "cvs": 72, "sucessor": 72, "apach": 72, "subversion": 72, "servidor": 72, "conect": 72, "criador": 72, "linus": 72, "torvalds": 72, "antecesssor": 72, "svn": 72, "desenvolvedor": [73, 91], "amig": [73, 91], "colabor": [73, 88, 91], "v\u00e3": [73, 91], "issu": [73, 80, 91], "rascunh": [73, 91], "gist": [73, 91], "cont\u00ednu": [73, 79, 83, 91], "neg\u00f3ci": 73, "bilion\u00e1ri": 73, "adquir": 73, "cerc": 73, "us": 73, "bilh\u00f5": 73, "gratuit": [73, 89, 91], "link": [73, 80], "curt": 73, "gqueiroz": 73, "pretend": 73, "profil": 73, "acompanh": [73, 89], "forks": 73, "seguidor": 73, "formul\u00e1ri": 73, "propriet\u00e1ri": 73, "p\u00fablic": 73, "priv": 73, "adicon": 73, "ignor": 73, "optar": 73, "vincul": 73, "abas": 73, "exibi\u00e7\u00e3": 73, "footnot": 73, "packag": 73, "pand": [76, 90], "vetorial": [77, 79, 90], "unidad": [77, 79, 83], "feder": [77, 79], "uf": [77, 80], "uf_2018": 77, "dbf": 77, "fei\u00e7\u00e3": [77, 78, 79], "geometr": [77, 81], "multipolygon": [77, 79, 83], "shx": 77, "posicional": [77, 81], "cpg": 77, "prj": 77, "proje\u00e7\u00e3": 77, "geod\u00e9s": 77, "sirg": 77, "Ela": [77, 82], "mold": 77, "virtual": [77, 82, 90], "sucess": [77, 82], "indiqu": 77, "abertur": [77, 80], "esquem": [77, 79], "fechament": 77, "eventu": 77, "buffers": 77, "ufs": 77, "num_feico": 77, "expl\u00edcit": 77, "armazend": 77, "ordereddict": 77, "id": [77, 80], "sergip": 77, "sigl": [77, 83], "SE": 77, "geocodig": 77, "regia": [77, 81], "nord": 77, "regiao_sig": 77, "ne": 77, "maranh\u00e3": 77, "ma": 77, "tocantins": [77, 81], "next": 77, "shapely": [77, 82], "geom": [77, 83], "centroid": 77, "44374619643403": 77, "58460970352795": 77, "28788579867823": 77, "072310251937679": 77, "32922962739212": 77, "15031487315235": 77, "mbr": 77, "bounds": 77, "tipo_geometr": 77, "ntip": 77, "4674": 77, "99044996899994": 77, "847639913999956": 77, "75117799399993": 77, "271841077000033": 77, "polygon": [77, 82, 83], "grav": [77, 80], "uf_centroid": 77, "driv": 77, "schema_centroid": 77, "collections": 77, "enumerat": 77, "bdc_paper_sampl": 77, "brazildatacub": 77, "hub": [77, 91], "training": 77, "sampl": 77, "comp\u00f5": 77, "datasourc": 77, "layers": 77, "wfs": [77, 79], "lay": 77, "featuredefn": 77, "ir\u00e3": [77, 91], "compartilh": [77, 89, 90, 91], "munic\u00edpi": [77, 79, 83], "fielddefn": 77, "certific": 77, "prossegu": 77, "versioninf": 77, "atrav": 77, "getlay": 77, "nome_lay": 77, "getnam": 77, "bbox": 77, "getextent": 77, "textens\u00e3": 77, "getspatialref": 77, "exporttowkt": 77, "tsrs": 77, "getgeomtyp": 77, "ttip": 77, "tpol\u00edgon": 77, "wkbmultipolygon": 77, "num_featur": 77, "getfeaturecount": 77, "layer_def": 77, "getlayerdefn": 77, "width": 77, "getfieldcount": 77, "field_nam": 77, "getfielddefn": 77, "field_type_cod": 77, "gettyp": 77, "field_typ": 77, "getfieldtypenam": 77, "field_width": 77, "getwidth": 77, "field_precision": 77, "getprecision": 77, "ljust": 77, "getfield": 77, "getgeometryref": 77, "interc\u00e2mbi": [78, 80], "5a": [78, 83], "5b": [78, 83], "5d": [78, 83], "5e": [78, 83], "5f": [78, 83], "5g": [78, 83], "5h": [78, 83], "102": 78, "103": 78, "5i": [78, 83], "geometri": 78, "entidad": [78, 79, 83], "respeit": [78, 80], "fen\u00f4men": 79, "percep\u00e7\u00e3": 79, "discret": [79, 83], "tal": 79, "elev": 79, "superf\u00edc": [79, 83, 91], "risc": 79, "radi\u00e2nc": 79, "categor": 79, "conserv": [79, 83], "estadual": 79, "federal": [79, 88], "territorial": 79, "arruament": [79, 83], "rodovi\u00e1ri": 79, "escol": 79, "hospit": 79, "transmiss\u00e3": [79, 83], "energ": [79, 83], "el\u00e9tr": [79, 83], "conceitualiz": 79, "usual": 79, "hidrel\u00e9tr": 79, "termoel\u00e9tr": 79, "logradour": 79, "unidades_feder": 79, "ufid": 79, "populaca": 79, "e_vid": 79, "expect": 79, "gml": 79, "geomed": 79, "atlas": 79, "bna": 79, "sgbd": 79, "mysql": 79, "postgresql": 79, "db2": 79, "oracl": 79, "perm": 79, "geotecnolog": [79, 88], "subdivid": 79, "frequent": 79, "intens": 79, "cinz": 79, "aquel": 79, "metr": 79, "aproxim": 79, "composi\u00e7\u00e3": 79, "ava": 80, "cript": 80, "bject": 80, "otation": 80, "elevation": 80, "results": 80, "lng": 80, "resolution": 80, "dicionari": 80, "null": 80, "1234": 80, "unicod": 80, "sobrenom": 80, "telm": 80, "rua": 80, "av": 80, "astronaut": 80, "1758": 80, "bairr": 80, "jardim": 80, "granj": 80, "cep": 80, "12227": 80, "010": 80, "jsonlint": 80, "validator": 80, "erros": 80, "fragment": 80, "endereco_json": 80, "dumps": 80, "serializ": 80, "doc": 80, "u00e3": 80, "u00e9": 80, "deserializ": 80, "artig": [80, 90, 91], "indexed": 80, "parts": 80, "17t06": 80, "05z": 80, "timestamp": [80, 81], "1587104585191": 80, "16t00": 80, "00z": 80, "1586995200000": 80, "abstract": 80, "years": 80, "observation": 80, "rs12081253": 80, "16t17": 80, "39z": 80, "1587056499000": 80, "1253": 80, "sourc": 80, "crossref": 80, "referenced": 80, "overview": 80, "platforms": 80, "management": 80, "analys": 80, "author": 80, "orcid": 80, "0000": 80, "0003": 80, "3239": 80, "2160": 80, "authenticated": 80, "given": 80, "vitor": 80, "family": 80, "gom": 80, "first": 80, "affiliation": 80, "0001": 80, "7534": 80, "0219": 80, "2656": 80, "5504": 80, "memb": 80, "contain": 80, "unspecified": 80, "vor": 80, "similarity": 80, "checking": 80, "deposited": 80, "19z": 80, "1587059479000": 80, "scor": 80, "subtitl": 80, "issued": 80, "alternativ": 80, "issn": 80, "general": 80, "planetary": 80, "arq_json": 80, "dump": 80, "ambas": 81, "axis": 81, "rotul": 81, "r\u00f3tul": 81, "mun\u00edcipi": 81, "municipi": 81, "s\u00edti": 81, "arax": 81, "bidimensional": 81, "heterog\u00ean": [81, 83], "satelit": 81, "satelite_r": 81, "ref": [81, 83], "npp_375": 81, "cerr": 81, "altam": 81, "aqua_m": 81, "pd": 81, "simples": 81, "tail": 81, "altern": 81, "iloc": 81, "sort_valu": 81, "ascending": 81, "sort_index": 81, "inplac": 81, "2008": 81, "2012": 81, "num_foc": 81, "249": 81, "194": 81, "115": 81, "183": 81, "236": 81, "260": 81, "serie_foc": 81, "int64": 81, "inlin": 81, "bar": 81, "amaz\u00f4n": [81, 88, 91], "satelites_r": 81, "df": 81, "lik": 81, "sat": 81, "regex": 81, "rangeindex": 81, "columns": 81, "keys": 81, "recomend": [81, 89], "to_numpy": 81, "dtypes": 81, "bool": 81, "mixed": 81, "obt\u00e9m": 81, "iterrows": 81, "row": 81, "itertupl": 81, "suprim": 81, "read_csv": 81, "patterns": 81, "defpatterns": 81, "xlsx": 81, "openpyxl": 81, "xlrd": 81, "read_excel": 81, "describ": 81, "sum\u00e1ri": [81, 89], "central": 81, "cosid": 81, "exclu": 81, "object_id0": 81, "padra": 81, "nan": 81, "aus\u00eanc": 81, "percent": 81, "quartil": 81, "median": 81, "terceir": 81, "q1": 81, "nuniqu": 81, "1472": 81, "col": [81, 83], "c_awetric": 81, "464": 81, "c_awmetric": 81, "469": 81, "c_cametric": 81, "465": 81, "c_edmetric": 81, "460": 81, "c_lsmetric": 81, "470": 81, "c_mpetric": 81, "c_mpetri_1": 81, "467": 81, "c_mpmetric": 81, "462": 81, "c_msmetric": 81, "463": 81, "c_pdmetric": 81, "c_pentland": 81, "c_psmetric": 81, "406": 81, "c_psetric": 81, "403": 81, "deci_class": 81, "distint": 81, "contag": 81, "q2": 81, "uniqu": 81, "florest": [81, 91], "difus": 81, "multidirecional": 81, "consolid": 81, "q3": 81, "reliz": 81, "groupby": 81, "grupo_linh": 81, "301": 81, "993": 81, "value_counts": 81, "descendent": 81, "frequ\u00eanc": 81, "q4": 81, "q5": 81, "c00l00": 81, "5893": 81, "q6": 81, "min\u00edm": 81, "desconsider": 81, "q7": 81, "isnull": 81, "notnull": 81, "subtra": 81, "1433": 81, "1424": 81, "id\u00e9": 81, "q8": 81, "q9": 81, "dropn": 81, "contenh": 81, "ndf": 81, "q10": 81, "712": 81, "212": 81, "q11": 81, "idx": 81, "q12": 81, "copia_df": 81, "pythonic": 82, "geos": 82, "geometrycollection": [82, 83], "consid": 82, "pt": 82, "desenh": 82, "reconhec": 82, "v\u00e9rtic": 82, "xy": 82, "length": 82, "boundary": 82, "coords": 82, "explicit": 82, "implicit": 82, "obrigat\u00f3ri": 82, "an\u00e9": [82, 83], "anel_extern": 82, "anel_intern": 82, "poly": 82, "exterior": 82, "interiors": 82, "homogen": 82, "mpt": 82, "geoms": 82, "mlin": 82, "mpoly": 82, "clar": [82, 83], "shell_1": 82, "hole_11": 82, "hole_12": 82, "poly_1": 82, "shell_2": 82, "poly_2": 82, "intersec\u00e7\u00f5": 82, "contains": 82, "toc": 82, "touch": 82, "cross": 82, "intersects": 82, "p2": 82, "symmetric_differenc": 82, "topol\u00f3g": [83, 90], "hierarqu": 83, "grafic": 83, "linestring": 83, "linearring": 83, "burac": 83, "multipoint": 83, "multilinestring": 83, "2a": 83, "largur": 83, "altur": 83, "crim": 83, "doenc": 83, "subcl": 83, "rodov": 83, "dut": 83, "consecut": 83, "2b": 83, "coincident": 83, "2c": 83, "anel": 83, "cultiv": 83, "florestal": 83, "territori": 83, "ilhas": 83, "2d": 83, "2e": 83, "2g": 83, "2h": 83, "2i": 83, "acomod": 83, "merec": 83, "ampl": [83, 91], "3a": 83, "3b": 83, "abordag": 83, "dim": 83, "fonteir": 83, "emptyset": 83, "sin\u00f4n": 83, "escur": [83, 89], "5c": 83, "multicurv": 83, "dit": 83, "desconect": 83, "obedec": 83, "laranj": 83, "7a": 83, "7b": 83, "7c": 83, "7d": 83, "7e": 83, "7f": 83, "7g": 83, "7h": 83, "interse\u00e7\u00e3": 83, "7i": 83, "d\u00e3": 83, "satisfaz": 83, "212101212": 83, "predic": 83, "oit": 83, "sobrecarg": 83, "comp": 83, "neq": 83, "impli": 83, "pontu": 83, "satisfiz": 83, "iff": 83, "overlap": 83, "vic": 83, "vers": 83, "sobrepor": 83, "intersect": 83, "docent": 84, "bibliograf": 84, "discent": 84, "cronogram": 84, "guttag": 85, "computation": 85, "understanding": 85, "472": 85, "hans": 85, "pett": 85, "langtangen": 85, "872": 85, "lutz": 85, "5th": 85, "reilly": 85, "1648": 85, "chris": 85, "garrard": 85, "geoprocessing": 85, "1st": 85, "manning": 85, "360": 85, "longley": 85, "maguir": 85, "rhind": 85, "496": 85, "inaugural": 86, "assist": [86, 90], "s\u00eanior": 88, "institut": 88, "nacional": 88, "mestr": 88, "doutor": 88, "apo": 88, "permanent": 88, "geoinform\u00e1t": [88, 90], "p\u00f3s": 88, "gradua\u00e7\u00e3": 88, "bigdat": 88, "ministr": 88, "395": [88, 90], "394": [88, 90], "423": [88, 90], "thal": 88, "ambos": 88, "engenheir": 88, "univers": 88, "furg": 88, "multitemporal": 88, "miner": 88, "inteligent": 88, "artificial": 88, "411": 88, "413": [88, 90], "digital": [88, 90, 91], "415": 88, "421": 88, "profund": 88, "sehn": 88, "k\u00f6rting": 88, "fabian": 88, "morell": 88, "ocean\u00f3graf": 88, "ita": 88, "ambiental": 88, "tema": 88, "meteorol\u00f3g": 88, "terram": 88, "pessoal": 89, "dissert": [89, 90], "tes": [89, 90], "S\u00f3": 89, "preocup": 89, "aspect": 89, "par\u00e1graf": 89, "disposi\u00e7\u00e3": 89, "ortogr\u00e1f": 89, "14159": 89, "circunferenc": 89, "negrit": 89, "graf": 89, "Sem": 89, "in\u00fam": 89, "imprescind": 89, "cumpriment": 89, "circunferent": 89, "ra": 89, "depur": 89, "integrated": 89, "inclus": 89, "contat": 89, "acham": 89, "compromiss": 89, "N\u00f3s": 89, "atend": [89, 91], "perfil": 89, "esforc": [89, 91], "compr": 89, "benef\u00edci": 89, "cont\u00eainers": 89, "reprodut": 89, "virtualiz": 89, "isol": 89, "\u00e1rdu": 89, "dependent": 89, "dia": 89, "enterpris": 89, "education": 89, "dom\u00edni": [90, 91], "modern": 90, "abordagens": 90, "exposi\u00e7\u00e3": 90, "paci\u00eanc": 90, "perseveranc": 90, "intr\u00ednsec": 90, "pratic": 90, "tr\u00e1s": 90, "propic": 90, "multidimension": 90, "scipy": 90, "planilh": 90, "overlay": 90, "ries": 90, "visualizac": 90, "lis": 90, "literat": 90, "te\u00f3ric": 90, "sal": 90, "penal": 90, "atras": 90, "Voc\u00eas": 90, "ter\u00e3": 90, "empenh": 90, "substitut": 90, "estud": [90, 91], "dirig": 90, "aprofund": 90, "coleg": 90, "hip\u00f3tes": 90, "ced": 90, "transcri\u00e7\u00f5": 90, "d\u00fav": 90, "hor\u00e1ri": 90, "offic": 90, "hours": 90, "merc": 91, "colet": 91, "planet": 91, "ocean": 91, "atmosf": 91, "insum": 91, "prod": 91, "invent\u00e1ri": 91, "desmat": 91, "ras": 91, "vegat": 91, "1988": 91, "peru": 91, "novembr": 91, "1986": 91, "pastag": 91, "estrad": 91, "provenient": 91, "panoram": 91, "tecnol\u00f3g": 91, "mud": 91, "Temos": 91, "disponibil": 91, "foss4g": 91, "gvsig": 91, "terraview": 91, "promov": 91, "pol\u00edt": 91, "reprodutibil": 91, "foment": 91, "transparent": 91, "ag\u00eanc": 91, "peri\u00f3d": 91, "internacion": 91, "diretriz": 91, "financ": 91, "denot": 91, "artefat": 91, "leitor": 91, "consig": 91, "reproduz": 91, "conclus\u00f5": 91, "nel": 91, "intuit": 91, "t\u00edpic": 91, "m\u00edd": 91, "especializ": 91, "hosped": 91, "replic": 91, "spectrum": 91, "recri": 91}, "objects": {}, "objtypes": {}, "objnames": {}, "titleterms": {"agradec": [0, 6], "imagens": [2, 5, 55, 57, 68], "process": 2, "visualiz": [2, 5, 71], "t\u00f3pic": [2, 7, 26, 39, 70, 76, 84, 90], "gdal": [3, 77], "geospatial": 3, "dat": [3, 50, 53, 59, 91], "abstraction": 3, "library": [3, 32], "import": 3, "bibliotec": [3, 54, 77], "abertur": 3, "arquiv": [3, 71, 77, 80, 81], "rast": 3, "estrutur": [3, 4, 19, 20, 81], "dataset": 3, "sistem": [3, 40], "referent": [3, 6, 62, 68, 69], "espacial": [3, 83], "transform": 3, "afim": 3, "dimens\u00f5": 3, "n\u00famer": [3, 25], "linh": [3, 62, 81, 82], "colun": [3, 81], "band": 3, "leitur": [3, 77, 80, 81], "dad": [3, 6, 36, 62, 65, 76, 77, 81, 83], "liber": 3, "conjunt": [3, 33, 82, 83], "numpy": 4, "carreg": [4, 77], "cri": [4, 73, 81], "matriz": [4, 83], "alter": 4, "format": [4, 24, 82], "inform": [4, 6], "sobr": [4, 65], "oper": [4, 24, 27, 30, 32, 34, 35, 37, 82, 83], "arrays": 4, "composi\u00e7\u00e3": 5, "color": 5, "contr": [5, 57], "m\u00e9tod": [5, 24, 34], "simpl": [5, 19], "par": [5, 38, 56, 59, 64, 67, 68, 73, 81, 90], "classific": 5, "introdu": [6, 26, 27, 43, 79], "program": [6, 7, 26, 27, 31, 56, 91], "geoespac": 6, "vis\u00e3": [6, 84], "geral": [6, 84], "curs": [6, 84, 90], "aul": [6, 86], "bibliogr\u00e1f": [6, 69], "list": [6, 28, 29, 32, 47, 48], "exerc\u00edci": [6, 47, 48], "projet": 6, "ger": 6, "\u00edndic": [6, 34], "tabel": [6, 35], "instal": [7, 10, 71, 77, 82], "configur": 7, "ambient": 7, "anacond": 8, "linux": [8, 9, 11], "dock": [9, 10, 89], "jupyterlab": 10, "atrav\u00e9s": [10, 79], "pycharm": [11, 89], "Os": 12, "comand": [12, 14, 19, 40, 41, 42, 44], "break": 12, "continu": 12, "interromp": 12, "lac": [12, 20, 29], "desvi": 12, "sequ\u00eanc": [12, 29, 32], "cham": [13, 25], "fun\u00e7\u00f5": [13, 25, 41], "matem\u00e1t": 13, "compost": [14, 19], "coment\u00e1ri": 15, "exempl": [15, 19, 20, 21, 24, 27, 29, 32, 62, 83], "consider": [16, 62], "fin": [16, 62], "not": [16, 27, 34, 35, 43], "hist\u00f3r": [16, 27, 42, 43, 71], "simul": 16, "67": 16, "br": [16, 27, 28, 32], "font": [16, 27, 28, 32], "dahl": 16, "et": 16, "al": 16, "1970": 16, "12": 16, "dicion\u00e1ri": [17, 29], "dict": 17, "comprehension": [17, 32, 33], "escop": 18, "vari": [18, 38, 70], "condicion": 19, "condicional": 19, "encad": 19, "repeti\u00e7\u00e3": [20, 34], "escrit": [20, 77, 80], "repetit": 20, "tel": 20, "tip": [20, 29, 34, 35, 36, 37, 82, 83], "whil": 20, "express\u00f5": [22, 23, 25], "ordem": 22, "avali": [22, 90], "l\u00f3gic": [23, 35], "strings": [24, 32, 34], "usand": [24, 29, 81], "f": 24, "string": [24, 34], "templat": 24, "defin": 25, "fun\u00e7\u00e3": [25, 29], "recurs": 25, "vari\u00e1vel": 25, "argument": 25, "par\u00e2metr": [25, 67], "default": 25, "nom": [25, 38, 83], "args": 25, "kwargs": 25, "unpacking": 25, "lists": 25, "lambd": 25, "linguag": [26, 27, 28, 90], "python": [26, 27, 28, 31, 32, 75, 82, 89, 90], "algoritm": 27, "pass": 27, "segu": 27, "execu": 27, "mdc": 27, "p": 27, "q": 27, "linguagens": 27, "instru\u00e7\u00e3": 27, "mips": 27, "wikiped": 27, "83": 27, "bas": [27, 52], "instru\u00e7\u00f5": 27, "pioneir": 27, "comput": [27, 31], "fort": 27, "influ\u00eanc": 27, "desenvolv": 27, "A": [27, 77, 83], "palavr": 28, "chav": 28, "the": [28, 32], "languag": 28, "referenc": 28, "25": 28, "iter": [29, 81], "element": 29, "enumerat": 29, "atravess": 29, "relacion": [30, 82, 83], "primeir": 31, "ndvi": 31, "convers\u00e3": 31, "escal": 31, "temperatur": 31, "of": 31, "rightarrow": [31, 83], "oc": 31, "standard": 32, "19": 32, "tupl": 32, "constru": [32, 81], "generator": 32, "expressions": 32, "set": 33, "O": [34, 72, 73], "concaten": 34, "s": 34, "t": 34, "n": 34, "pertinent": 34, "x": 34, "in": 34, "impertinent": 34, "compriment": 34, "cad": 34, "len": 34, "indexing": 34, "i": 34, "slicing": 34, "j": 34, "find": 34, "sub": 34, "start": 34, "end": 34, "join": 34, "iterabl": 34, "split": 34, "sep": 34, "non": 34, "maxsplit": 34, "1": 34, "replac": 34, "old": 34, "new": 34, "count": 34, "outr": [34, 37], "bool": [35, 83], "verdad": 35, "and": [35, 91], "or": 35, "num\u00e9r": 37, "int": 37, "float": 37, "aritm\u00e9t": 37, "b\u00e1sic": 37, "atribui\u00e7\u00e3": 38, "regr": 38, "atribui\u00e7\u00f5": 38, "jupyt": 39, "m\u00e1gic": 41, "\u00fate": [41, 44], "result": 42, "ipython": 44, "notebooks": 45, "licenc": 46, "01": 48, "turm": [49, 61, 63, 87], "2021": [49, 87], "brazil": 50, "cub": [50, 53], "cloud": 50, "coverag": 50, "bdc3": 50, "spectral": [51, 62], "amostrag": 52, "servic": 52, "wlts": 52, "api": 53, "eo": 53, "extens\u00e3": 54, "stac": 54, "py": 54, "detec\u00e7\u00e3": [55, 60], "mudanc": 55, "respost": 56, "desastr": [56, 65], "an\u00e1lis": [58, 81], "s\u00e9ri": [58, 60, 81], "tempor": [58, 60], "goes": 58, "augmentation": 59, "sensori": 59, "remot": [59, 71], "desliz": 60, "2022": 61, "requisit": 62, "funcion": 62, "comando": 62, "2023": 63, "registr": 64, "autom\u00e1t": 64, "cbers": [64, 68], "4": 64, "observ": [64, 65, 66, 67, 68, 91], "combin": 65, "imag": 66, "incident": 66, "sol": 66, "\u00f3tim": 67, "segment": 67, "m\u00e1sc": [68, 81], "nuvens": 68, "amazon": 68, "trabalh": 71, "git": [71, 72, 74], "github": [71, 73, 74], "clon": 71, "reposit\u00f3ri": [71, 73], "ser": 71, "347": 71, "verific": 71, "status": 71, "modific": 71, "sincroniz": 71, "c\u00f3p": 71, "local": 71, "adicion": 71, "nov": 71, "forks": 71, "faz": 71, "fork": 71, "pull": 71, "request": 71, "\u00e9": [72, 73, 90], "cont": 73, "hosped": 73, "c\u00f3dig": [73, 90], "terminal": 75, "inter": 75, "manipul": 76, "vetori": [76, 77], "fion": 77, "acess": [77, 81], "via": 77, "http": 77, "https": 77, "ogr": 77, "document": [78, 80], "geojson": 78, "geometr": [78, 83], "point": [78, 82], "linestring": [78, 82], "polygon": 78, "multipoint": [78, 82], "multilinestring": [78, 82], "multipolygon": [78, 82], "geometrycollection": 78, "featur": 78, "featurecollection": 78, "valid": [78, 80], "represent": 79, "fei\u00e7\u00f5": 79, "geogr\u00e1f": 79, "objet": [79, 83, 90], "geom\u00e9tr": [79, 82, 83], "json": 80, "sintax": 80, "pand": 81, "seri": 81, "datafram": 81, "selecion": 81, "valor": 81, "orden": 81, "plot": 81, "boolean": 81, "sele\u00e7\u00e3": 81, "csv": 81, "pont": 82, "anel": 82, "linearring": 82, "pol\u00edgon": 82, "espac": [82, 83], "ogc": [82, 83], "wkt": 82, "well": 82, "known": 82, "text": 82, "model": 83, "sfs": 83, "9": 83, "intersec\u00e7\u00f5": 83, "estend": 83, "dimensional": 83, "interior": 83, "fronteir": 83, "exterior": 83, "divers": 83, "DE": 83, "9im": 83, "b": 83, "intersec\u00e7\u00e3": 83, "component": 83, "relat": 83, "equals": 83, "geometry": 83, "s\u00e3": 83, "igu": 83, "touch": 83, "toc": 83, "cross": 83, "cruz": 83, "within": 83, "dentr": 83, "contains": 83, "geometryb": 83, "overlaps": 83, "sobrep\u00f5": 83, "disjoint": 83, "disjunt": 83, "intersects": 83, "bibliograf": 85, "cronogram": 86, "regul": 86, "discent": 87, "2020": 87, "2019": 87, "2018": 87, "docent": 88, "ferrament": 89, "distribui\u00e7\u00e3": 89, "ide": 89, "spyder": 89, "visual": 89, "studi": 89, "cod": 89, "community": 89, "googl": 89, "colab": 89, "organiz": 90, "Por": [90, 91], "disciplin": 90, "honr": 90, "aond": 90, "quer": 90, "cheg": 90, "aprend": 91, "sat\u00e9lit": 91, "terr": 91, "open": 91, "fre": 91, "sourc": 91, "softwar": 91, "foss": 91, "ci\u00eanc": 91, "abert": 91, "reprodut": 91}, "envversion": {"sphinx.domains.c": 2, "sphinx.domains.changeset": 1, "sphinx.domains.citation": 1, "sphinx.domains.cpp": 8, "sphinx.domains.index": 1, "sphinx.domains.javascript": 2, "sphinx.domains.math": 2, "sphinx.domains.python": 3, "sphinx.domains.rst": 2, "sphinx.domains.std": 2, "sphinx.ext.todo": 2, "sphinxcontrib.bibtex": 9, "sphinx": 57}, "alltitles": {"Agradecimentos": [[0, "agradecimentos"]], "Imagens - Processamento e Visualiza\u00e7\u00e3o": [[2, "imagens-processamento-e-visualizacao"]], "T\u00f3picos": [[2, null], [7, null], [26, null], [39, null], [76, null], [84, null]], "GDAL - Geospatial Data Abstraction Library": [[3, "gdal-geospatial-data-abstraction-library"]], "Importando a Biblioteca GDAL": [[3, "importando-a-biblioteca-gdal"]], "Abertura de um arquivo raster": [[3, "abertura-de-um-arquivo-raster"]], "Estrutura do Dataset": [[3, "estrutura-do-dataset"]], "Sistema de Refer\u00eancia Espacial": [[3, "sistema-de-referencia-espacial"]], "Transforma\u00e7\u00e3o Afim": [[3, "transformacao-afim"]], "Dimens\u00f5es (N\u00famero de linhas e colunas)": [[3, "dimensoes-numero-de-linhas-e-colunas"]], "Bandas": [[3, "bandas"]], "Leitura dos dados de uma banda": [[3, "leitura-dos-dados-de-uma-banda"]], "Liberando um conjunto de dados": [[3, "liberando-um-conjunto-de-dados"]], "NumPy": [[4, "numpy"]], "Carregando a NumPy": [[4, "carregando-a-numpy"]], "Criando matrizes": [[4, "criando-matrizes"]], "Alterando o formato de uma matriz": [[4, "alterando-o-formato-de-uma-matriz"]], "Informa\u00e7\u00f5es sobre a Estrutura de uma matriz": [[4, "informacoes-sobre-a-estrutura-de-uma-matriz"]], "Opera\u00e7\u00f5es com arrays": [[4, "operacoes-com-arrays"]], "Visualiza\u00e7\u00e3o de Imagens": [[5, "visualizacao-de-imagens"]], "Composi\u00e7\u00e3o colorida e Contraste": [[5, "composicao-colorida-e-contraste"]], "M\u00e9todos simples para classifica\u00e7\u00e3o": [[5, "metodos-simples-para-classificacao"]], "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com Dados Geoespaciais": [[6, "introducao-a-programacao-com-dados-geoespaciais"]], "Vis\u00e3o Geral do Curso:": [[6, null]], "Aulas:": [[6, null]], "Refer\u00eancias Bibliogr\u00e1ficas": [[6, null], [69, "referencias-bibliograficas"]], "Listas de Exerc\u00edcios": [[6, null], [47, "listas-de-exercicios"]], "Lista de Projetos:": [[6, null]], "Informa\u00e7\u00f5es Gerais:": [[6, null]], "Agradecimentos:": [[6, null]], "\u00cdndices e Tabelas": [[6, "indices-e-tabelas"]], "Instalando e Configurando o Ambiente de Programa\u00e7\u00e3o": [[7, "instalando-e-configurando-o-ambiente-de-programacao"]], "Anaconda": [[8, "anaconda"]], "Linux": [[8, "linux"], [9, "linux"], [11, "linux"]], "Docker": [[9, "docker"], [89, "docker"]], "Instala\u00e7\u00e3o do JupyterLab atrav\u00e9s do Docker": [[10, "instalacao-do-jupyterlab-atraves-do-docker"]], "PyCharm": [[11, "pycharm"]], "Os Comandos break e continue": [[12, "os-comandos-break-e-continue"]], "Interrompendo um la\u00e7o - break": [[12, "interrompendo-um-laco-break"]], "Desviando a sequ\u00eancia de um la\u00e7o - continue": [[12, "desviando-a-sequencia-de-um-laco-continue"]], "Chamada de Fun\u00e7\u00f5es": [[13, "chamada-de-funcoes"]], "Fun\u00e7\u00f5es Matem\u00e1ticas": [[13, "funcoes-matematicas"]], "Fun\u00e7\u00f5es matem\u00e1ticas.": [[13, "introd-prog-tbl-math-func"]], "Comandos Compostos": [[14, "comandos-compostos"]], "Coment\u00e1rios": [[15, "comentarios"]], "Exemplos": [[15, null], [19, null], [20, null], [21, "exemplos"], [24, null], [29, null], [32, null]], "Considera\u00e7\u00f5es Finais": [[16, "consideracoes-finais"], [62, "consideracoes-finais"]], "Nota Hist\u00f3rica": [[16, null], [27, null], [27, null], [43, null]], "SIMULA 67.
Fonte: Dahl et al. (1970) [12].": [[16, "introd-prog-tbl-simula67"]], "Dicion\u00e1rios": [[17, "dicionarios"]], "Dict Comprehension": [[17, "dict-comprehension"]], "Escopo de Vari\u00e1veis": [[18, "escopo-de-variaveis"]], "Estruturas Condicionais": [[19, "estruturas-condicionais"]], "Estrutura Condicional Simples": [[19, "estrutura-condicional-simples"]], "Estrutura Condicional Composta": [[19, "estrutura-condicional-composta"]], "Comandos Condicionais Encadeados": [[19, "comandos-condicionais-encadeados"]], "Exemplo": [[19, "exemplo"]], "Estruturas de Repeti\u00e7\u00e3o": [[20, "estruturas-de-repeticao"]], "Exemplo: escrita repetitiva na tela": [[20, "exemplo-escrita-repetitiva-na-tela"]], "La\u00e7os do tipo for": [[20, "lacos-do-tipo-for"], [29, "lacos-do-tipo-for"]], "La\u00e7os do tipo while": [[20, "lacos-do-tipo-while"]], "Express\u00f5es": [[22, "expressoes"]], "Ordem de Avalia\u00e7\u00e3o de Express\u00f5es": [[22, "ordem-de-avaliacao-de-expressoes"]], "Express\u00f5es L\u00f3gicas": [[23, "expressoes-logicas"]], "Formata\u00e7\u00e3o de Strings": [[24, "formatacao-de-strings"]], "Usando o operador %": [[24, "usando-o-operador"]], "Usando o m\u00e9todo format": [[24, "usando-o-metodo-format"]], "f-string": [[24, "f-string"]], "Template strings": [[24, "template-strings"]], "Fun\u00e7\u00f5es": [[25, "funcoes"]], "Definindo uma Fun\u00e7\u00e3o": [[25, "definindo-uma-funcao"]], "Fun\u00e7\u00f5es Recursivas": [[25, "funcoes-recursivas"]], "Fun\u00e7\u00f5es com N\u00famero Vari\u00e1vel de Argumentos": [[25, "funcoes-com-numero-variavel-de-argumentos"]], "Par\u00e2metros Default": [[25, "parametros-default"]], "Chamando Fun\u00e7\u00f5es com Argumentos Nomeados": [[25, "chamando-funcoes-com-argumentos-nomeados"]], "Par\u00e2metros *args e **kwargs": [[25, "parametros-args-e-kwargs"]], "Unpacking Argument Lists": [[25, "unpacking-argument-lists"]], "Express\u00f5es Lambda": [[25, "expressoes-lambda"]], "Introdu\u00e7\u00e3o \u00e0 Programa\u00e7\u00e3o com a Linguagem Python": [[26, "introducao-a-programacao-com-a-linguagem-python"]], "Introdu\u00e7\u00e3o": [[27, "introducao"], [43, "introducao"], [79, "introducao"]], "Algoritmos": [[27, "algoritmos"]], "Passos seguidos na execu\u00e7\u00e3o do algoritmo MDC(p,q).": [[27, "introd-prog-tbl-mdc-algol"]], "Linguagens de Programa\u00e7\u00e3o": [[27, "linguagens-de-programacao"]], "Exemplo de instru\u00e7\u00e3o MIPS.
Fonte: Wikipedia [83].": [[27, "introd-prog-tbl-mips-inst"]], "Exemplo de opera\u00e7\u00e3o baseada nas instru\u00e7\u00f5es MIPS.
Fonte: Wikipedia [83].": [[27, "introd-prog-tbl-mips-op"]], "Pioneiros da computa\u00e7\u00e3o com forte influ\u00eancia no desenvolvimento das linguagens de programa\u00e7\u00e3o.
Fonte: Wikipedia.": [[27, "introd-prog-tbl-pioneiros-prog"]], "A Linguagem de Programa\u00e7\u00e3o Python": [[27, "a-linguagem-de-programacao-python"]], "Palavras-chave": [[28, "palavras-chave"]], "Lista de palavras-chave da linguagem Python.
Fonte: The Python Language Reference [25].": [[28, "introd-prog-tbl-keywords"]], "Iterando nos Elementos de um Sequ\u00eancia": [[29, "iterando-nos-elementos-de-um-sequencia"]], "Usando a fun\u00e7\u00e3o enumerate": [[29, "usando-a-funcao-enumerate"]], "Atravessando Listas": [[29, "atravessando-listas"]], "Iterando em Dicion\u00e1rios": [[29, "iterando-em-dicionarios"]], "Operadores Relacionais": [[30, "operadores-relacionais"]], "Operadores relacionais.": [[30, "introd-prog-tbl-op-relacionais"]], "Primeiro Programa em Python": [[31, "primeiro-programa-em-python"]], "Computando NDVI": [[31, "computando-ndvi"]], "Convers\u00e3o entre Escalas de Temperatura: ^oF \\, \\rightarrow \\, ^oC": [[31, "conversao-entre-escalas-de-temperatura-of-rightarrow-oc"]], "Sequ\u00eancias": [[32, "sequencias"]], "Opera\u00e7\u00f5es com sequ\u00eancias.
Fonte: The Python Standard Library [19].": [[32, "introd-prog-tbl-op-seq"]], "Strings": [[32, "strings"]], "Tuplas": [[32, "tuplas"]], "Listas": [[32, "listas"]], "Construindo Listas": [[32, "construindo-listas"]], "List Comprehension": [[32, "list-comprehension"]], "Generator Expressions": [[32, "generator-expressions"]], "Conjuntos": [[33, "conjuntos"]], "Set Comprehension": [[33, "set-comprehension"]], "O Tipo String": [[34, "o-tipo-string"]], "Opera\u00e7\u00f5es com Strings": [[34, "operacoes-com-strings"]], "Concatena\u00e7\u00e3o de Strings: s + t": [[34, "concatenacao-de-strings-s-t"]], "Repeti\u00e7\u00e3o de Strings: n * s": [[34, "repeticao-de-strings-n-s"]], "Pertin\u00eancia: x in s": [[34, "pertinencia-x-in-s"]], "Impertin\u00eancia: x not in s": [[34, "impertinencia-x-not-in-s"]], "Comprimento da cadeia: len(s)": [[34, "comprimento-da-cadeia-len-s"]], "\u00cdndice (indexing): s[i]": [[34, "indice-indexing-s-i"]], "Slicing: s[i:j]": [[34, "slicing-s-i-j"]], "M\u00e9todos de Strings": [[34, "metodos-de-strings"]], "s.find(sub[, start[, end]])": [[34, "s-find-sub-start-end"]], "s.join(iterable)": [[34, "s-join-iterable"]], "s.split(sep=None, maxsplit=-1)": [[34, "s-split-sep-none-maxsplit-1"]], "s.replace(old, new[, count])": [[34, "s-replace-old-new-count"]], "Outros M\u00e9todos de String": [[34, "outros-metodos-de-string"]], "Tipo L\u00f3gico": [[35, "tipo-logico"]], "bool": [[35, "bool"]], "Operadores L\u00f3gicos": [[35, "operadores-logicos"]], "Tabela verdade do operador and.": [[35, "introd-prog-tbl-op-logico-and"]], "Tabela verdade do operador or.": [[35, "introd-prog-tbl-op-logico-or"]], "Tabela verdade do operador not.": [[35, "introd-prog-tbl-op-logico-not"]], "Tipos de Dados": [[36, "tipos-de-dados"]], "Tipos Num\u00e9ricos": [[37, "tipos-numericos"]], "int": [[37, "int"]], "float": [[37, "float"]], "Outros Tipos Num\u00e9ricos": [[37, "outros-tipos-numericos"]], "Opera\u00e7\u00f5es Aritm\u00e9ticas": [[37, "operacoes-aritmeticas"]], "Operadores aritm\u00e9ticos b\u00e1sicos.": [[37, "introd-prog-tbl-op-aritmeticas"]], "Vari\u00e1veis": [[38, "variaveis"]], "Atribui\u00e7\u00e3o": [[38, "atribuicao"]], "Regra para Nomes de Vari\u00e1veis": [[38, "regra-para-nomes-de-variaveis"]], "Vari\u00e1veis e Atribui\u00e7\u00f5es": [[38, "variaveis-e-atribuicoes"]], "Jupyter": [[39, "jupyter"]], "Comandos do Sistema": [[40, "comandos-do-sistema"]], "Fun\u00e7\u00f5es M\u00e1gicas": [[41, "funcoes-magicas"]], "Comandos \u00dateis": [[41, "comandos-uteis"]], "Hist\u00f3rico dos Comandos e Resultados": [[42, "historico-dos-comandos-e-resultados"]], "IPython": [[44, "ipython"]], "Comandos \u00fateis Ipython.": [[44, "tbl-jupyter-ipython-comandos-uteis"]], "Notebooks": [[45, "notebooks"]], "Licen\u00e7a": [[46, "licenca"]], "Lista de Exerc\u00edcios 01": [[48, "lista-de-exercicios-01"]], "Turma 2021": [[49, "turma-2021"], [87, "turma-2021"]], "Brazil Data Cube Cloud Coverage (BDC3)": [[50, "brazil-data-cube-cloud-coverage-bdc3"]], "Spectral": [[51, "spectral"], [62, "spectral"]], "Amostragem com Base no Servi\u00e7o WLTS": [[52, "amostragem-com-base-no-servico-wlts"]], "API - EO Data Cube": [[53, "api-eo-data-cube"]], "Extens\u00e3o da Biblioteca stac.py": [[54, "extensao-da-biblioteca-stac-py"]], "Detec\u00e7\u00e3o de mudan\u00e7as em imagens": [[55, "deteccao-de-mudancas-em-imagens"]], "Programa\u00e7\u00e3o para resposta a desastres": [[56, "programacao-para-resposta-a-desastres"]], "Contraste de imagens": [[57, "contraste-de-imagens"]], "An\u00e1lise de s\u00e9ries temporais GOES": [[58, "analise-de-series-temporais-goes"]], "Data Augmentation para Sensoriamento Remoto": [[59, "data-augmentation-para-sensoriamento-remoto"]], "S\u00e9ries temporais na detec\u00e7\u00e3o de deslizamentos": [[60, "series-temporais-na-deteccao-de-deslizamentos"]], "Turma 2022": [[61, "turma-2022"]], "Requisitos": [[62, "requisitos"]], "Dados": [[62, "dados"]], "Exemplos de funcionamento em linha de comando": [[62, "exemplos-de-funcionamento-em-linha-de-comando"]], "Refer\u00eancias": [[62, "referencias"], [68, "referencias"]], "Turma 2023": [[63, "turma-2023"]], "Registro autom\u00e1tico para CBERS-4": [[64, "registro-automatico-para-cbers-4"]], "Observa\u00e7\u00f5es": [[64, "observacoes"], [65, "observacoes"], [66, "observacoes"], [67, "observacoes"], [68, "observacoes"]], "Combina\u00e7\u00e3o de dados sobre desastres": [[65, "combinacao-de-dados-sobre-desastres"]], "Imagem de incid\u00eancia solar": [[66, "imagem-de-incidencia-solar"]], "Par\u00e2metros \u00f3timos para segmenta\u00e7\u00e3o": [[67, "parametros-otimos-para-segmentacao"]], "M\u00e1scara de nuvens para imagens AMAZONIA e CBERS": [[68, "mascara-de-nuvens-para-imagens-amazonia-e-cbers"]], "T\u00f3picos Variados": [[70, "topicos-variados"]], "Trabalhando com o git e o GitHub": [[71, "trabalhando-com-o-git-e-o-github"]], "Instalando o git": [[71, "instalando-o-git"]], "Clonando o reposit\u00f3rio ser-347": [[71, "clonando-o-repositorio-ser-347"]], "Verificando o status do reposit\u00f3rio": [[71, "verificando-o-status-do-repositorio"]], "Modificando um arquivo no reposit\u00f3rio ser-347": [[71, "modificando-um-arquivo-no-repositorio-ser-347"]], "Sincronizando sua c\u00f3pia local com o reposit\u00f3rio remoto": [[71, "sincronizando-sua-copia-local-com-o-repositorio-remoto"]], "Adicionando um novo arquivo ao reposit\u00f3rio ser-347": [[71, "adicionando-um-novo-arquivo-ao-repositorio-ser-347"]], "Visualizando o hist\u00f3rico de modifica\u00e7\u00f5es de um arquivo": [[71, "visualizando-o-historico-de-modificacoes-de-um-arquivo"]], "Trabalhando com forks de um reposit\u00f3rio": [[71, "trabalhando-com-forks-de-um-repositorio"]], "Fazendo o fork de um reposit\u00f3rio": [[71, "fazendo-o-fork-de-um-repositorio"]], "Sincronizando seu fork": [[71, "sincronizando-seu-fork"]], "Fazendo um pull-request": [[71, "fazendo-um-pull-request"]], "O que \u00e9 o git?": [[72, "o-que-e-o-git"]], "O que \u00e9 o GitHub?": [[73, "o-que-e-o-github"]], "Criando uma Conta no GitHub": [[73, "criando-uma-conta-no-github"]], "Criando um Reposit\u00f3rio para Hospedar C\u00f3digo": [[73, "criando-um-repositorio-para-hospedar-codigo"]], "git e GitHub": [[74, "git-e-github"]], "Terminal Interativo Python": [[75, "terminal-interativo-python"]], "Manipula\u00e7\u00e3o de Dados Vetoriais": [[76, "manipulacao-de-dados-vetoriais"]], "Leitura/Escrita de Dados Vetoriais": [[77, "leitura-escrita-de-dados-vetoriais"]], "A Biblioteca Fiona": [[77, "a-biblioteca-fiona"]], "Instala\u00e7\u00e3o": [[77, "instalacao"], [82, "instalacao"]], "Leitura de Dados": [[77, "leitura-de-dados"], [77, "id2"]], "Escrita de Dados": [[77, "escrita-de-dados"]], "Acessando Arquivos via HTTP/HTTPS": [[77, "acessando-arquivos-via-http-https"]], "A biblioteca GDAL/OGR": [[77, "a-biblioteca-gdal-ogr"]], "Instalando a biblioteca GDAL/OGR": [[77, "instalando-a-biblioteca-gdal-ogr"]], "Carregando a Biblioteca GDAL/OGR": [[77, "carregando-a-biblioteca-gdal-ogr"]], "Documentos GeoJSON": [[78, "documentos-geojson"]], "Geometrias": [[78, "geometrias"]], "Point": [[78, "point"]], "LineString": [[78, "linestring"]], "Polygon": [[78, "polygon"]], "MultiPoint": [[78, "multipoint"], [82, "multipoint"]], "MultiLineString": [[78, "multilinestring"], [82, "multilinestring"]], "MultiPolygon": [[78, "multipolygon"], [82, "multipolygon"]], "GeometryCollection": [[78, "geometrycollection"]], "Feature": [[78, "feature"]], "FeatureCollection": [[78, "featurecollection"]], "Validadores de Documentos GeoJSON": [[78, "validadores-de-documentos-geojson"]], "Representa\u00e7\u00e3o de fei\u00e7\u00f5es geogr\u00e1ficas atrav\u00e9s de objetos geom\u00e9tricos.": [[79, "tbl-vetorial-introducao-tipos-objetos-geograficos"]], "Documentos JSON": [[80, "documentos-json"]], "Sintaxe de Documentos JSON": [[80, "sintaxe-de-documentos-json"]], "Validadores de Documentos JSON": [[80, "validadores-de-documentos-json"]], "Leitura e Escrita de Arquivos JSON": [[80, "leitura-e-escrita-de-arquivos-json"]], "Pandas": [[81, "pandas"]], "Series": [[81, "tbl-vetorial-pandas-series"]], "DataFrame": [[81, "tbl-vetorial-pandas-dataframe"]], "Usando o Pandas": [[81, "usando-o-pandas"]], "Criando uma S\u00e9rie": [[81, "criando-uma-serie"]], "Selecionando Valores da S\u00e9rie": [[81, "selecionando-valores-da-serie"]], "Acessando a Estrutura de uma S\u00e9rie": [[81, "acessando-a-estrutura-de-uma-serie"]], "Ordenando os Valores de uma S\u00e9rie": [[81, "ordenando-os-valores-de-uma-serie"]], "Plotando uma S\u00e9rie": [[81, "plotando-uma-serie"]], "Criando um DataFrame": [[81, "criando-um-dataframe"]], "Selecionando Colunas de um DataFrame": [[81, "selecionando-colunas-de-um-dataframe"]], "Acessando a Estrutura de um DataFrame": [[81, "acessando-a-estrutura-de-um-dataframe"]], "Selecionando Valores do DataFrame": [[81, "selecionando-valores-do-dataframe"]], "Iterando nas colunas e linhas de um DataFrame": [[81, "iterando-nas-colunas-e-linhas-de-um-dataframe"]], "Construindo m\u00e1scaras booleanas para sele\u00e7\u00e3o de linhas": [[81, "construindo-mascaras-booleanas-para-selecao-de-linhas"]], "Leitura de Arquivos CSV": [[81, "leitura-de-arquivos-csv"]], "An\u00e1lise de Dados com o Pandas": [[81, "analise-de-dados-com-o-pandas"]], "Tipos Geom\u00e9tricos em Python": [[82, "tipos-geometricos-em-python"]], "Tipos Geom\u00e9tricos": [[82, "tipos-geometricos"], [83, "tipos-geometricos"]], "Pontos (Point)": [[82, "pontos-point"]], "Linhas (LineString)": [[82, "linhas-linestring"]], "Anel (LinearRing)": [[82, "anel-linearring"]], "Pol\u00edgonos": [[82, "poligonos"]], "Relacionamentos Espaciais": [[82, "relacionamentos-espaciais"], [83, "relacionamentos-espaciais"]], "Opera\u00e7\u00f5es de Conjunto": [[82, "operacoes-de-conjunto"]], "Formatos": [[82, "formatos"]], "OGC WKT (Well-Known Text)": [[82, "ogc-wkt-well-known-text"]], "Modelo Geom\u00e9trico": [[83, "modelo-geometrico"]], "Exemplos dos tipos geom\u00e9tricos da OGC-SFS.": [[83, "tbl-vetorial-tipos-geometricos-modelo-ilustrado"]], "Conjuntos de Dados": [[83, "tbl-vetorial-tipos-geometricos-exemplo-consulta"]], "Matriz de 9-intersec\u00e7\u00f5es Estendida Dimensionalmente": [[83, "matriz-de-9-interseccoes-estendida-dimensionalmente"]], "Matriz de 9-Intersec\u00e7\u00f5es Estendida Dimensionalmente.": [[83, "tbl-vetorial-tipos-geometricos-de-9im"]], "Interior, fronteira e exterior dos diversos tipos geom\u00e9tricos.": [[83, "tbl-vetorial-tipos-geometricos-comp-tipos"]], "DE-9IM - A e B.": [[83, "tbl-vetorial-tipos-geometricos-rel-a-b-mat"]], "Intersec\u00e7\u00e3o entre os componentes dos objetos A e B.": [[83, "tbl-vetorial-tipos-geometricos-i-f-e"]], "Operador Relate": [[83, "operador-relate"]], "Relacionamentos Espaciais Nomeados": [[83, "relacionamentos-espaciais-nomeados"]], "Equals(Geometry, Geometry) \\rightarrow bool": [[83, "equals-geometry-geometry-rightarrow-bool"]], "DE-9IM - Equals(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-equals"]], "A e B s\u00e3o geometrias espacialmente iguais.": [[83, "tbl-vetorial-tipos-geometricos-equals"]], "Touches(Geometry, Geometry) \\rightarrow Bool": [[83, "touches-geometry-geometry-rightarrow-bool"]], "DE-9IM - Touches(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-touches1"], [83, "tbl-vetorial-tipos-geometricos-rel-espaciais-de9im-touches2"], [83, "tbl-vetorial-tipos-geometricos-de9im-touches3"]], "A e B s\u00e3o geometrias que se tocam.": [[83, "tbl-vetorial-tipos-geometricos-touches"]], "Crosses(Geometry, Geometry) \\rightarrow bool": [[83, "crosses-geometry-geometry-rightarrow-bool"]], "DE-9IM - Crosses(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-crosses1"], [83, "tbl-vetorial-tipos-geometricos-de9im-crosses2"]], "A e B s\u00e3o geometrias que se cruzam.": [[83, "tbl-vetorial-tipos-geometricos-crosses"]], "Within(Geometry, Geometry) \\rightarrow bool": [[83, "within-geometry-geometry-rightarrow-bool"]], "DE-9IM - Within(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-within"]], "A geometria A est\u00e1 dentro da geometria B.": [[83, "tbl-vetorial-tipos-geometricos-within"]], "Contains(GeometryA, GeometryB) \\rightarrow bool": [[83, "contains-geometrya-geometryb-rightarrow-bool"]], "DE-9IM - Contains(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-contains"]], "Overlaps(Geometry, Geometry) \\rightarrow bool": [[83, "overlaps-geometry-geometry-rightarrow-bool"]], "DE-9IM - Overlaps(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-overlaps1"], [83, "tbl-vetorial-tipos-geometricos-de9im-overlaps2"]], "A geometria A sobrep\u00f5e a geometria B.": [[83, "tbl-vetorial-tipos-geometricos-overlaps"]], "Disjoint(Geometry, Geometry) \\rightarrow bool": [[83, "disjoint-geometry-geometry-rightarrow-bool"]], "DE-9IM - Disjoint(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-disjoint"]], "A e B s\u00e3o geometrias espacialmente disjuntas.": [[83, "tbl-vetorial-tipos-geometricos-disjoint"]], "Intersects(Geometry, Geometry) \\rightarrow bool": [[83, "intersects-geometry-geometry-rightarrow-bool"]], "DE-9IM - Intersects(Geometry, Geometry) \\rightarrow bool.": [[83, "tbl-vetorial-tipos-geometricos-de9im-intersects1"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects2"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects3"], [83, "tbl-vetorial-tipos-geometricos-de9im-intersects4"]], "Vis\u00e3o Geral do Curso": [[84, "visao-geral-do-curso"]], "Bibliografia": [[85, "bibliografia"]], "Cronograma de Aulas": [[86, "cronograma-de-aulas"]], "Aulas Regulares": [[86, "aulas-regulares"]], "Discentes": [[87, "discentes"]], "Turma 2020": [[87, "turma-2020"]], "Turma 2019": [[87, "turma-2019"]], "Turma 2018": [[87, "turma-2018"]], "Docentes": [[88, "docentes"]], "Ferramentas": [[89, "ferramentas"]], "Distribui\u00e7\u00e3o Python": [[89, "distribuicao-python"]], "IDE": [[89, "ide"]], "Spyder": [[89, "spyder"]], "Visual Studio Code": [[89, "visual-studio-code"]], "PyCharm Community": [[89, "pycharm-community"]], "Google Colab": [[89, "google-colab"]], "Organiza\u00e7\u00e3o do Curso": [[90, "organizacao-do-curso"], [90, "id1"]], "Objetivos": [[90, "objetivos"]], "Para quem \u00e9 este curso?": [[90, "para-quem-e-este-curso"]], "Por que a Linguagem Python?": [[90, "por-que-a-linguagem-python"]], "T\u00f3picos da Disciplina": [[90, "topicos-da-disciplina"]], "Avalia\u00e7\u00e3o": [[90, "avaliacao"]], "C\u00f3digo de Honra": [[90, "codigo-de-honra"]], "Aonde queremos chegar?": [[90, "aonde-queremos-chegar"]], "Por que aprender a programar?": [[91, "por-que-aprender-a-programar"]], "Sat\u00e9lites de Observa\u00e7\u00e3o da Terra": [[91, "satelites-de-observacao-da-terra"]], "Open Data": [[91, "open-data"]], "Free and Open Source Software (FOSS)": [[91, "free-and-open-source-software-foss"]], "Ci\u00eancia Aberta e Reprodut\u00edvel": [[91, "ciencia-aberta-e-reprodutivel"]]}, "indexentries": {}}) \ No newline at end of file