enem_solicitacao 0.0.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,7 @@
1
+ ---
2
+ SHA1:
3
+ metadata.gz: 9abc44e598e0f1c55bfe5467b43531ad1831af1f
4
+ data.tar.gz: 8de3777dc2d45863206b212139fe5205a390d210
5
+ SHA512:
6
+ metadata.gz: a9cec9bc72f2fef9636dadd63536d8deda82585b12dd1eb8f8096e4af1d54ada8310a32c2c50d6653cad6d9108bed68e2c1db4a84ce79f23498214d6a5b16e1e
7
+ data.tar.gz: e2984ac9584a62d0f03b8f546ab2ebc6bf0d2b663b4f817cf2db100597e057a552409c04e9e575a3328670e3fbc134a1ce92ba4ba1d2cac6a3abdac02890d8f2
@@ -0,0 +1,61 @@
1
+ # Enem Solicitação
2
+
3
+ Esta pequena biblioteca serve para buscar um resultado do Enem no sistema do INEP.
4
+
5
+ ## Configurando Autenticação
6
+
7
+ Para o correto funcionamento, é necessário configurar um login e senha. Estes
8
+ são lidos das variáveis de ambiente ENEM_LOGIN e ENEM_PASSWORD
9
+ respectivamente. No entanto, é possível sobrescrever este comportamento:
10
+
11
+ ```ruby
12
+ EnemSolicitacao.user = 'meulogin'
13
+ EnemSolicitacao.password = 'minhasenha'
14
+ ```
15
+
16
+ ## Console
17
+
18
+ Ao usar a gem em modo standalone, há um console para deixar o ambiente
19
+ preparado. Para isso, clone o projeto, instale as dependências com `bundle`.
20
+
21
+ As configurações de autenticação serão lidas do arquivo `.env` no diretório
22
+ raiz do projeto. Este arquivo não entra no controle de versão por questões
23
+ de segurança. Duplique o arquivo de exemplo e configure sua autenticação:
24
+
25
+ ```
26
+ cd /caminho/para/enem_solicitacao
27
+ cp .env_example .env
28
+ $EDITOR .env
29
+ ```
30
+
31
+ Feita a configuração, basta rodar o console:
32
+
33
+ ```
34
+ ./console
35
+ ```
36
+
37
+ Uma vez dentro dele, fazer consultas se torna trivial.
38
+
39
+ ## Buscando Resultados
40
+
41
+ Por número de inscrição:
42
+
43
+ ```ruby
44
+ EnemSolicitacao.gateway.search_by_registry(123456789012)
45
+ # => "123456789012;11111111111;AAAAAAAAA BBBBBBBBB CCCCCCCCC;610.9;639.5;596.4;580.4;700.0;7;7;7;7;7;01/01/1990;M;2222222;SSP;SC;PR;FOZ DO IGUACU;N;Espanhol;"
46
+ ```
47
+
48
+ Por CPF:
49
+
50
+ ```ruby
51
+ EnemSolicitacao.gateway.search_by_cpf('11111111111')
52
+ # => "123456789012;11111111111;AAAAAAAAA BBBBBBBBB CCCCCCCCC;610.9;639.5;596.4;580.4;700.0;7;7;7;7;7;01/01/1990;M;2222222;SSP;SC;PR;FOZ DO IGUACU;N;Espanhol;"
53
+ ```
54
+
55
+ Ambos os métodos podem receber mais de um argumento de uma só vez e a busca
56
+ retornará os registros separados por linha. Porém, segundo o site, há um
57
+ limite de 20 registros para cada busca.
58
+
59
+ ## Licença
60
+
61
+ MIT.
@@ -0,0 +1,71 @@
1
+ require 'mechanize'
2
+
3
+ # O EnemSolicitacao em Ruby fornece uma forma de automatizar a busca por
4
+ # resultados no sistema do Inep: EnemSolicitacao
5
+ # (http://sistemasenem.inep.gov.br/EnemSolicitacao).
6
+ #
7
+ # Para o correto funcionamento, é necessário configurar um login e senha. Estes
8
+ # são lidos das variáveis de ambiente ENEM_LOGIN e ENEM_PASSWORD
9
+ # respectivamente. Ao utilizar a gem em outro projeto, no entanto, é possível
10
+ # sobrescrever este comportamento:
11
+ #
12
+ # EnemSolicitacao.user = 'meulogin'
13
+ # EnemSolicitacao.password = 'minhasenha'
14
+ #
15
+ # Feito isso, basta utilizar o gateway para fazer as buscas:
16
+ #
17
+ # EnemSolicitacao.gateway
18
+ #
19
+ # Leia a documentação em `EnemSolicitacao::Gateway` para detalhes em como fazer
20
+ # as consultas.
21
+ module EnemSolicitacao
22
+ VERSION = '0.0.1'
23
+
24
+ autoload :Session, 'enem_solicitacao/session'
25
+ autoload :Gateway, 'enem_solicitacao/gateway'
26
+
27
+ # Ano de referência padrão. Se não configurado, será utilizado o ano anterior.
28
+ def self.year
29
+ @year ||= Date.today.year - 1
30
+ end
31
+
32
+ def self.year=(year)
33
+ @year = year
34
+ end
35
+
36
+ # URL do sistema do Inep.
37
+ def self.site
38
+ 'http://sistemasenem.inep.gov.br/EnemSolicitacao'
39
+ end
40
+
41
+ # Método auxiliar para montar URLs.
42
+ def self.path(path)
43
+ "#{site}#{path}"
44
+ end
45
+
46
+ def self.user=(user)
47
+ @user = user
48
+ end
49
+
50
+ def self.user
51
+ @user ||= ENV['ENEM_LOGIN']
52
+ end
53
+
54
+ def self.password=(password)
55
+ @password = password
56
+ end
57
+
58
+ def self.password
59
+ @password ||= ENV['ENEM_PASSWORD']
60
+ end
61
+
62
+ # Cria e faz cache de uma sessão para com o site.
63
+ def self.session
64
+ @session ||= Session.new(user, password)
65
+ end
66
+
67
+ # Cria e faz cache de um gateway.
68
+ def self.gateway
69
+ @gateway ||= Gateway.new(session)
70
+ end
71
+ end
@@ -0,0 +1,88 @@
1
+ module EnemSolicitacao
2
+ # Esta classe fornece uma interface para interagir com sistema Enem
3
+ # Solicitação. Com ela, é possível buscar resultados de candidatos.
4
+ # Ela pode ser instanciada manualmente da seguinte maneira:
5
+ #
6
+ # session = EnemSolicitacao::Session.new('login', 'password')
7
+ # gateway = EnemSolicitacao::Gateway.new(session, ano_referencia)
8
+ #
9
+ # No entanto, o recomendado é utilizar o objeto "global":
10
+ #
11
+ # EnemSolicitacao.gateway
12
+ #
13
+ # Este último utiliza uma sessão global e a configuração geral de login e
14
+ # senha. Veja a documentação de EnemSolicitacao para maiores detalhes.
15
+ class Gateway
16
+ REGISTRY_KIND = 'numeroInscricao'
17
+ CPF_KIND = 'cpf'
18
+
19
+ # Construtor.
20
+ # `session`: Sessão para autenticação no sistema
21
+ # `year`: Ano de referência para as consultas.
22
+ def initialize(session, year = EnemSolicitacao.year)
23
+ @session = session
24
+ @year = year
25
+ end
26
+
27
+ # Busca resultados pelo número de inscrição. Retorna o conteúdo do arquivo
28
+ # gerado pelo sistema do Inep (formato CSV) em texto puro.
29
+ def search_by_registry(*registries)
30
+ request REGISTRY_KIND, 'numerosInscricaoDecorate:numerosInscricaoInput',
31
+ registries.join(';')
32
+ end
33
+
34
+ # Busca resultados pelo CPF. Retorna o conteúdo do arquivo gerado pelo
35
+ # sistema do Inep (formato CSV) em texto puro.
36
+ def search_by_cpf(*cpfs)
37
+ request CPF_KIND, 'cpfDecorate:cpfInput', cpfs.join(';')
38
+ end
39
+
40
+ # Carrega e retorna o conteúdo do resultado da última busca efetuada.
41
+ def last_result(retries: 5)
42
+ page = agent.get(EnemSolicitacao.path('/solicitacao/acompanhar'\
43
+ 'Solicitacao.seam'))
44
+ table = page.search('table#listaSolicitacaoAtendidas').first
45
+ result = {}
46
+ table.search('tr').each do |tr|
47
+ tds = tr.search('td').to_a
48
+ next if tds.empty?
49
+ fail('Solicitação em Processamento') unless tds[4].text['Fechado']
50
+ result[tds[2].text.strip] = tds[4].search('a').first \
51
+ .attributes['href'].value
52
+ end
53
+ agent.get(result.sort.last.last).body.strip
54
+ rescue e
55
+ warn e.message
56
+ retries -= 1
57
+ retry if retries > -1
58
+ raise
59
+ end
60
+
61
+ private
62
+
63
+ def request(kind, field_id, value) # :nodoc:
64
+ page = agent.get(EnemSolicitacao.path('/solicitacao/'\
65
+ "resultado#{@year}/#{kind}/solicitacaoPelaInternet.seam"))
66
+ form = page.form_with(id: 'formularioForm')
67
+ form.enctype = 'application/x-www-form-urlencoded'
68
+ form[field_id] = value
69
+ form['j_id131.x'] = 81
70
+ form['j_id131.y'] = 23
71
+ page = form.submit
72
+
73
+ form = page.form_with(id: 'resultadoForm')
74
+ return unless form
75
+ form.enctype = 'application/x-www-form-urlencoded'
76
+ form['j_id191.x'] = 72
77
+ form['j_id191.y'] = 19
78
+ page = form.submit
79
+
80
+ fail 'Request problem' unless page.body['sucesso']
81
+ last_result
82
+ end
83
+
84
+ def agent # :nodoc:
85
+ @session.agent
86
+ end
87
+ end
88
+ end
@@ -0,0 +1,44 @@
1
+ module EnemSolicitacao
2
+ # Representa uma sessão com o sistema do Inep. Precisa de um login e senha
3
+ # para autenticação, procedimento que só é executado quando uma busca é
4
+ # realizada.
5
+ class Session
6
+ def initialize(login, password)
7
+ @login = login
8
+ @password = password
9
+ @agent = Mechanize.new
10
+ @agent.user_agent_alias = 'Linux Firefox'
11
+ end
12
+
13
+ # Retorna um `agent` (objeto `Mechanize`). Autentica o usuário, caso ainda
14
+ # não esteja autenticado.
15
+ def agent
16
+ establish unless established?
17
+ @agent
18
+ end
19
+
20
+ def established? # :nodoc:
21
+ @status == :established
22
+ end
23
+
24
+ private
25
+
26
+ def login_url # :nodoc:
27
+ EnemSolicitacao.path '/login.seam'
28
+ end
29
+
30
+ # Faz a autenticação. Se ela não obtiver sucesso, uma exceção será
31
+ # disparada.
32
+ def establish(login = @login, password = @password)
33
+ login_page = @agent.get(login_url)
34
+ form = login_page.form_with(id: 'formLogin')
35
+ form.username = login
36
+ form.password = password
37
+ form['j_id19.x'] = 1
38
+ form['j_id19.y'] = 1
39
+ home_page = @agent.submit(form)
40
+ raise "Unable to authenticate #{login}" unless home_page.body['inicial']
41
+ @status = :established
42
+ end
43
+ end
44
+ end
@@ -0,0 +1,35 @@
1
+ require 'test_helper'
2
+
3
+ class GatewayTest < MyTest
4
+ def gateway
5
+ @gateway ||= EnemSolicitacao.gateway
6
+ end
7
+
8
+ def test_gets_candidate_info
9
+ VCR.insert_cassette 'test_gets_candidate_info'
10
+
11
+ assert_equal gateway.search_by_registry(123456789012), <<RESPONSE.strip
12
+ 123456789012;11111111111;AAAAAAAAA BBBBBBBBB CCCCCCCCC;610.9;639.5;596.4;580.4;700.0;7;7;7;7;7;01/01/1990;M;2222222;SSP;SC;PR;FOZ DO IGUACU;N;Espanhol;
13
+ RESPONSE
14
+
15
+ VCR.eject_cassette
16
+ end
17
+
18
+ def test_gets_candidate_info_by_cpf
19
+ VCR.insert_cassette 'test_gets_candidate_info_by_cpf'
20
+
21
+ assert_equal gateway.search_by_cpf('11111111111'), <<RESPONSE.strip
22
+ 123456789012;11111111111;AAAAAAAAA BBBBBBBBB CCCCCCCCC;610.9;639.5;596.4;580.4;700.0;7;7;7;7;7;01/01/1990;M;2222222;SSP;SC;PR;FOZ DO IGUACU;N;Espanhol;
23
+ RESPONSE
24
+
25
+ VCR.eject_cassette
26
+ end
27
+
28
+ def test_returns_nil_when_not_found
29
+ VCR.insert_cassette 'test_returns_nil_when_not_found'
30
+
31
+ assert_equal gateway.search_by_cpf('11111111112'), nil
32
+
33
+ VCR.eject_cassette
34
+ end
35
+ end
@@ -0,0 +1,27 @@
1
+ require 'test_helper'
2
+
3
+ class SessionTest < MyTest
4
+ def test_logs_user_in
5
+ VCR.insert_cassette 'test_logs_user_in'
6
+ session = EnemSolicitacao::Session.new EnemSolicitacao.user,
7
+ EnemSolicitacao.password
8
+
9
+ refute session.established?
10
+
11
+ session.agent
12
+ assert session.established?
13
+ VCR.eject_cassette
14
+ end
15
+
16
+ def test_does_not_log_invalid_user_in
17
+ VCR.insert_cassette 'test_does_not_log_invalid_user_in'
18
+ session = EnemSolicitacao::Session.new '123', '123'
19
+ refute session.established?
20
+
21
+ assert_raises RuntimeError do
22
+ session.agent
23
+ end
24
+ refute session.established?
25
+ VCR.eject_cassette
26
+ end
27
+ end
@@ -0,0 +1,5 @@
1
+ VCR.configure do |v|
2
+ path = File.expand_path("../../", __FILE__)
3
+ v.cassette_library_dir = "#{path}/vcr"
4
+ v.hook_into :webmock
5
+ end
@@ -0,0 +1,17 @@
1
+ require 'minitest/autorun'
2
+ require 'minitest/pride'
3
+ require 'vcr'
4
+ require 'dotenv'
5
+ Dotenv.load
6
+
7
+ $:.unshift File.expand_path("../../lib", __FILE__)
8
+ require 'enem_solicitacao'
9
+
10
+ Dir["#{File.dirname(__FILE__)}/support/*.rb"].each { |f| require f }
11
+
12
+ class MyTest < Minitest::Test
13
+ def setup
14
+ EnemSolicitacao.instance_variable_set(:@session, nil)
15
+ EnemSolicitacao.instance_variable_set(:@gateway, nil)
16
+ end
17
+ end
@@ -0,0 +1,377 @@
1
+ ---
2
+ http_interactions:
3
+ - request:
4
+ method: get
5
+ uri: http://sistemasenem.inep.gov.br/EnemSolicitacao/login.seam
6
+ body:
7
+ encoding: US-ASCII
8
+ string: ''
9
+ headers:
10
+ Accept-Encoding:
11
+ - gzip,deflate,identity
12
+ Accept:
13
+ - "*/*"
14
+ User-Agent:
15
+ - Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.9.2.1) Gecko/20100122 firefox/3.6.1
16
+ Accept-Charset:
17
+ - ISO-8859-1,utf-8;q=0.7,*;q=0.7
18
+ Accept-Language:
19
+ - en-us,en;q=0.5
20
+ Host:
21
+ - sistemasenem.inep.gov.br
22
+ Connection:
23
+ - keep-alive
24
+ Keep-Alive:
25
+ - 300
26
+ response:
27
+ status:
28
+ code: 200
29
+ message: OK
30
+ headers:
31
+ Server:
32
+ - Apache-Coyote/1.1
33
+ X-Powered-By:
34
+ - JSF/1.2
35
+ - 'Servlet 2.4; JBoss-4.3.0.GA_CP06 (build: SVNTag=JBPAPP_4_3_0_GA_CP06 date=200907141446)/JBossWeb-2.0'
36
+ Set-Cookie:
37
+ - BIGipServerEnem_Legado=3389267372.20480.0000; path=/
38
+ - JSESSIONID=4E6AAF02FD8E5E9F9F4F4877979A448D; Path=/
39
+ Content-Type:
40
+ - text/html;charset=UTF-8
41
+ Transfer-Encoding:
42
+ - chunked
43
+ Date:
44
+ - Mon, 26 Jan 2015 11:21:46 GMT
45
+ body:
46
+ encoding: UTF-8
47
+ string: "<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\" \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\"
48
+ >\n<html xml:lang=\"pt-br\" lang=\"pt-br\" xmlns=\"http://www.w3.org/1999/xhtml\">\n<head>\n\t<meta
49
+ http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\" />\n\t<meta
50
+ http-equiv=\"Pragma\" content=\"no-cache\" />\n\t<meta name=\"generator\"
51
+ content=\"mec.gov.br\" />\n\t<meta name=\"description\" content=\"Ministrio
52
+ da Educao - Brasil\" />\n\t<meta name=\"keywords\" content=\"Ministrio da
53
+ Educao, ProUni, MEC, Site MEC, ensino, estudo, brasil, governo, federal, acessibilidade,
54
+ faculdades, ensino superior, ensino mdio, ensino fundamental, escola\" />\n\t<meta
55
+ name=\"resource-type\" content=\"document\" />\n\t<meta http-equiv=\"Cache-Control\"
56
+ content=\"no-cache\" />\n\t<meta http-equiv=\"Pragma\" content=\"no-cache\"
57
+ />\n\t<meta name=\"classification\" content=\"Internet\" />\n\t<meta name=\"robots\"
58
+ content=\"ALL\" />\n\t<meta name=\"rating\" content=\"General\" />\n\t<meta
59
+ name=\"copyright\" content=\"MEC\" />\n\t<meta name=\"language\" content=\"pt-br\"
60
+ />\n\t<meta name=\"doc-class\" content=\"Completed\" />\n\t<meta name=\"doc-rights\"
61
+ content=\"Public\" />\n\t<meta name=\"DC.title\" content=\"MEC\" />\n\t<meta
62
+ name=\"geo.region\" content=\"BR-DF\" />\n\t<meta name=\"geo.placename\" content=\"Distrito
63
+ Federal\" />\n\t<meta name=\"distribution\" content=\"Global\" />\n\t<meta
64
+ name=\"revisit-after\" content=\"1\" />\n\t<meta http-equiv=\"Pragma\" content=\"no-cache\"
65
+ />\n\t<meta http-equiv=\"Cache-Control\" content=\"no-cache\" />\n\t<meta
66
+ http-equiv=\"Cache-Control\" content=\"must-revalidate\" />\n\t<meta http-equiv=\"Expires\"
67
+ content=\"Mon, 1 Jan 2006 05:00:00\" />\n\t<title>Minist&eacute;rio da Educa&ccedil;&atilde;o
68
+ - MEC</title>\n\t<link class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalorg/richfaces/renderkit/html/css/basic_classes.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__;jsessionid=4E6AAF02FD8E5E9F9F4F4877979A448D\"
69
+ rel=\"stylesheet\" type=\"text/css\" /><link class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalorg/richfaces/renderkit/html/css/extended_classes.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__;jsessionid=4E6AAF02FD8E5E9F9F4F4877979A448D\"
70
+ media=\"rich-extended-skinning\" rel=\"stylesheet\" type=\"text/css\" /><link
71
+ class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalcss/panel.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__;jsessionid=4E6AAF02FD8E5E9F9F4F4877979A448D\"
72
+ rel=\"stylesheet\" type=\"text/css\" /><script type=\"text/javascript\">window.RICH_FACES_EXTENDED_SKINNING_ON=true;</script><script
73
+ src=\"/EnemSolicitacao/a4j/g/3_3_3.Finalorg/richfaces/renderkit/html/scripts/skinning.js\"
74
+ type=\"text/javascript\"></script><link rel=\"shortcut icon\" href=\"favicon.ico\"
75
+ type=\"image/x-icon\" />\n\t<link rel=\"stylesheet\" media=\"screen\" href=\"http://public.inep.gov.br/MECdefault/css/screen.css\"
76
+ />\n\t<link rel=\"stylesheet\" media=\"print\" href=\"http://public.inep.gov.br/MECdefault/css/print.css\"
77
+ />\n\t\n \n <script>\n\t\t//<![CDATA[\n\t\t\tvar loadPrototype\t= (!(typeof
78
+ Prototype=='undefined')) ? ((!Prototype.Version)|| false) : false;\n\t\t\tif(loadPrototype){\n\t\t\t\t//document.write('<script
79
+ type=\"text/javascript\" src=\"http://public.inep.gov.br/MECdefault/js/lib/prototype/prototype.js\"><\\/script>');\n\t\t\t}\n\t\t\t\n\t\t\tvar
80
+ loadFormulario\t= (typeof Formulario=='undefined') || false;\n\t\t\tif(loadFormulario){\n\t\t\t\t//document.write('<script
81
+ type=\"text/javascript\" src=\"http://public.inep.gov.br/MECdefault/js/class/component/Formulario.js\"><\\/script>');\n\t\t\t}\n\t\t//]]>\n\t</script>\n\t<script
82
+ src=\"http://public.inep.gov.br/MECdefault/js/lib/scriptaculous/scriptaculous.js?load=effects\"></script>\n\t\n\t<script
83
+ src=\"http://public.inep.gov.br/MECdefault/js/class/InepMain.js\"></script>\n\t<style
84
+ type=\"text/css\">\n\t\t.AcessibilidadeBotoes {\n\t\t\twidth: 300px; \n\t\t\theight:
85
+ 22px;\n\t\t\ttext-align: right;\n\t\t\tmargin-left: auto; \n\t\t\tpadding:
86
+ 5px;\n\t\t}\n\n\t\t#FonteNormal {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
87
+ none;\n\t\t}\n\t\t\n\t\t#AumentarFonte {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
88
+ none;\n\t\t}\n\t\t\n\t\t#DiminuirFonte {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
89
+ none;\n\t\t}\n\t</style>\n\t\t<link href=\"/EnemSolicitacao/stylesheet/site.css\"
90
+ rel=\"stylesheet\" type=\"text/css\" />\n\t\t<link rel=\"stylesheet\" media=\"screen\"
91
+ href=\"http://public.inep.gov.br/MECdefault/css/noLeftMenu.css\" />\n\t\t<script
92
+ language=\"JavaScript\">\n\t \tjavascript:window.history.forward(1);\t\n\t
93
+ \ </script>\n</head>\n\n<body>\n<div id=\"barra-brasil\">\n <a href=\"http://brasil.gov.br\"
94
+ style=\"background:#7F7F7F; height: 20px; padding:4px 0 4px 10px; display:
95
+ block; font-family:sans,sans-serif; text-decoration:none; color:white; \">Portal
96
+ do Governo Brasileiro</a>\n</div>\n\n\n<div id=\"Wrapper\">\n\t\n\t<div id=\"Header\">\n\t\t<div
97
+ id=\"LogoRepublica\">\n\t\t<img src=\"http://public.inep.gov.br/MECdefault/files/images/logos/republica.jpg\"
98
+ class=\"OnlyPrint\" />\n\t\t</div>\n\t\t\n\t\t<div class=\"INEP\">\n\t\t\t<div
99
+ id=\"LinkINEP\" class=\"NoPrint\"></div>\n\t\t\t<h2 class=\"OnlyPrint\"><a
100
+ href=\"http://www.inep.gov.br/\">Instituto Nacional de Estudos e <br /> Pesquisas
101
+ Educacionais An&iacute;sio Teixeira</a></h2>\n\t\t\t<div class=\"AcessibilidadeBotoes\">\n
102
+ \ <a href=\"javascript:controlFontSize('0', 180, 60); void(0);\"
103
+ id=\"FonteNormal\">\n <img width=\"15\" height=\"15\" alt=\"Fonte
104
+ normal\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_normal.png\"
105
+ />\n </a>\n <a href=\"javascript:controlFontSize('+',
106
+ 180, 60); void(0);\" id=\"AumentarFonte\">\n <img width=\"15\"
107
+ height=\"15\" alt=\"Aumentar fonte\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_mais.png\"
108
+ />\n </a>\n <a href=\"javascript:controlFontSize('-',
109
+ 180, 60); void(0);\" id=\"DiminuirFonte\">\n <img width=\"15\"
110
+ height=\"15\" alt=\"Diminuir fonte.\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_menos.png\"
111
+ />\n </a>\n </div>\n\t\t</div>\n\t\t<div class=\"Topo\">\n\t\t\t<div
112
+ class=\"Ilustracao\"></div>\n\t\t\t\n\t\t</div>\n\t</div>\n\t\n\t<br class=\"Clear\"
113
+ />\n\t\n\t<div id=\"LeftMenu\" class=\"NoPrint\">\n\t</div>\n\t<div id=\"ContentHolder\">\n\t\t\n\t\n\t
114
+ \ \t<script type=\"text/javascript\">\n\t\t\tvar gaJsHost = ((\"https:\"
115
+ == document.location.protocol) ? \"https://ssl.\" : \"http://www.\");\n\t\t\tdocument.write(unescape(\"%3Cscript
116
+ src='\" + gaJsHost + \"google-analytics.com/ga.js' type='text/javascript'%3E%3C/script%3E\"));\n\t\t</script>\n\t\t<style>\n\t\t\tdl.FieldHolder
117
+ dt {\n\t\t\t\tbackground-color:#EEEEEE;\n\t\t\t\tborder-left:0 none;\n\t\t\t}\n\t\t</style>\n\t\t<script
118
+ language=\"javascript\" type=\"text/javascript\">\n\t\t\tsomenteNumeros =
119
+ function(e) {\n\t\t\t\tvar tecla = (window.event) ? event.keyCode : e.which;\n\t\t
120
+ \ if (tecla > 47 && tecla < 58) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\tif
121
+ (tecla == 8 || tecla == 0) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\treturn
122
+ false;\n\t\t\t}\n\t\t</script>\n<form id=\"formLogin\" name=\"formLogin\"
123
+ method=\"post\" action=\"/EnemSolicitacao/login.seam;jsessionid=4E6AAF02FD8E5E9F9F4F4877979A448D\"
124
+ enctype=\"application/x-www-form-urlencoded\">\n<input type=\"hidden\" name=\"formLogin\"
125
+ value=\"formLogin\" />\n<div class=\"rich-panel \" id=\"j_id10\"><div class=\"rich-panel-header
126
+ \" id=\"j_id10_header\">Entrada</div><div class=\"rich-panel-body \" id=\"j_id10_body\">\n\t
127
+ \ \t\t\n\t\t\t\t\n\t\t\t\t<br />\n\t\t\t\t<br />\n\t\t\t\t\t\t\t\n\t\t\t
128
+ \ <td> Por favor, digite o n&uacute;mero de identifica&ccedil;&atilde;o
129
+ e a senha. </td>\n\t \t\t<br />\n\t\t\t\t\n\t \t\t<td> Caso seja o 1&ordm;
130
+ acesso, digite apenas o n&uacute;mero de identifica&ccedil;&atilde;o. </td>\n\t
131
+ \ \t\t \t\t \n\t <div class=\"dialog\"><table>\n<tbody>\n<tr
132
+ class=\"prop\">\n<td class=\"name\"><label for=\"username\">\nN&ordm; de Identifica&ccedil;&atilde;o:</label></td>\n<td
133
+ class=\"value\"><input id=\"username\" type=\"text\" name=\"username\" onkeypress=\"return
134
+ somenteNumeros(event);\" /></td>\n</tr>\n<tr class=\"prop\">\n<td class=\"name\"><label
135
+ for=\"password\">\nSenha:</label></td>\n<td class=\"value\"><input id=\"password\"
136
+ type=\"password\" name=\"password\" autocomplete=\"off\" value=\"\" /></td>\n</tr>\n</tbody>\n</table>\n\n\t
137
+ \ </div><input type=\"image\" src=\"http://public.inep.gov.br/MECdefault/files/images/botoes/acao/vermelho/entrar.jpg\"
138
+ name=\"j_id19\" /></div></div>\n\n\t\t\t<table cellpadding=\"0\" cellspacing=\"0\"
139
+ width=\"100%\">\n\t\t\t\t<tr>\n\t\t\t\t\t<td align=\"left\">\n<script type=\"text/javascript\"
140
+ language=\"Javascript\">function dpf(f) {var adp = f.adp;if (adp != null)
141
+ {for (var i = 0;i < adp.length;i++) {f.removeChild(adp[i]);}}};function apf(f,
142
+ pvp) {var adp = new Array();f.adp = adp;var i = 0;for (k in pvp) {var p =
143
+ document.createElement(\"input\");p.type = \"hidden\";p.name = k;p.value =
144
+ pvp[k];f.appendChild(p);adp[i++] = p;}};function jsfcljs(f, pvp, t) {apf(f,
145
+ pvp);var ft = f.target;if (t) {f.target = t;}f.submit();f.target = ft;dpf(f);};</script>\n<a
146
+ href=\"#\" onclick=\"if(typeof jsfcljs == 'function'){jsfcljs(document.getElementById('formLogin'),{'j_id21':'j_id21'},'');}return
147
+ false\">Esqueci minha senha</a>\n\t\t\t\t\t</td>\n\t\t\t\t</tr>\n\t\t\t\t\n\t\t\t</table><input
148
+ type=\"hidden\" name=\"javax.faces.ViewState\" id=\"javax.faces.ViewState\"
149
+ value=\"j_id1\" />\n</form>\n\t\n\t <p align=\"right\">\n\t\t\t\t<i><font
150
+ color=\"2525112\"><label>\nVersao: v3.0.3.3 202</label></font></i>\n\t\t\t</p>\n\t</div>\n\t\n\t<br
151
+ class=\"Clear\" />\n\t\n\t<div id=\"Footer\" class=\"NoPrint\">Copyright MEC
152
+ - INEP - Instituto Nacional de Estudos e Pesquisas Educacionais An&iacute;sio
153
+ Teixeira</div>\n</div>\n<script src=\"http://public.inep.gov.br/barra_governo/barra-sistema.js\"
154
+ type=\"text/javascript\"></script>\n</body>\n</html>"
155
+ http_version:
156
+ recorded_at: Mon, 26 Jan 2015 11:21:29 GMT
157
+ - request:
158
+ method: post
159
+ uri: http://sistemasenem.inep.gov.br/EnemSolicitacao/login.seam;jsessionid=4E6AAF02FD8E5E9F9F4F4877979A448D
160
+ body:
161
+ encoding: UTF-8
162
+ string: formLogin=formLogin&username=123&password=123&javax.faces.ViewState=j_id1&j_id19.x=1&j_id19.y=1
163
+ headers:
164
+ Accept-Encoding:
165
+ - gzip,deflate,identity
166
+ Accept:
167
+ - "*/*"
168
+ User-Agent:
169
+ - Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.9.2.1) Gecko/20100122 firefox/3.6.1
170
+ Accept-Charset:
171
+ - ISO-8859-1,utf-8;q=0.7,*;q=0.7
172
+ Accept-Language:
173
+ - en-us,en;q=0.5
174
+ Cookie:
175
+ - BIGipServerEnem_Legado=3389267372.20480.0000; JSESSIONID=4E6AAF02FD8E5E9F9F4F4877979A448D
176
+ Host:
177
+ - sistemasenem.inep.gov.br
178
+ Referer:
179
+ - &1 !ruby/object:URI::HTTP
180
+ scheme: http
181
+ user:
182
+ password:
183
+ host: sistemasenem.inep.gov.br
184
+ port: 80
185
+ path: "/EnemSolicitacao/login.seam"
186
+ query:
187
+ opaque:
188
+ registry:
189
+ fragment:
190
+ parser:
191
+ Content-Type:
192
+ - application/x-www-form-urlencoded
193
+ Content-Length:
194
+ - '95'
195
+ Connection:
196
+ - keep-alive
197
+ Keep-Alive:
198
+ - 300
199
+ response:
200
+ status:
201
+ code: 302
202
+ message: Moved Temporarily
203
+ headers:
204
+ Server:
205
+ - Apache-Coyote/1.1
206
+ X-Powered-By:
207
+ - JSF/1.2
208
+ - 'Servlet 2.4; JBoss-4.3.0.GA_CP06 (build: SVNTag=JBPAPP_4_3_0_GA_CP06 date=200907141446)/JBossWeb-2.0'
209
+ Location:
210
+ - http://sistemasenem.inep.gov.br/EnemSolicitacao/login.seam?cid=2163
211
+ Content-Length:
212
+ - '0'
213
+ Date:
214
+ - Mon, 26 Jan 2015 11:21:46 GMT
215
+ body:
216
+ encoding: UTF-8
217
+ string: ''
218
+ http_version:
219
+ recorded_at: Mon, 26 Jan 2015 11:21:30 GMT
220
+ - request:
221
+ method: get
222
+ uri: http://sistemasenem.inep.gov.br/EnemSolicitacao/login.seam?cid=2163
223
+ body:
224
+ encoding: US-ASCII
225
+ string: ''
226
+ headers:
227
+ Accept-Encoding:
228
+ - gzip,deflate,identity
229
+ Accept:
230
+ - "*/*"
231
+ User-Agent:
232
+ - Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.9.2.1) Gecko/20100122 firefox/3.6.1
233
+ Accept-Charset:
234
+ - ISO-8859-1,utf-8;q=0.7,*;q=0.7
235
+ Accept-Language:
236
+ - en-us,en;q=0.5
237
+ Cookie:
238
+ - BIGipServerEnem_Legado=3389267372.20480.0000; JSESSIONID=4E6AAF02FD8E5E9F9F4F4877979A448D
239
+ Host:
240
+ - sistemasenem.inep.gov.br
241
+ Referer:
242
+ - *1
243
+ Connection:
244
+ - keep-alive
245
+ Keep-Alive:
246
+ - 300
247
+ response:
248
+ status:
249
+ code: 200
250
+ message: OK
251
+ headers:
252
+ Server:
253
+ - Apache-Coyote/1.1
254
+ X-Powered-By:
255
+ - JSF/1.2
256
+ - 'Servlet 2.4; JBoss-4.3.0.GA_CP06 (build: SVNTag=JBPAPP_4_3_0_GA_CP06 date=200907141446)/JBossWeb-2.0'
257
+ Content-Type:
258
+ - text/html;charset=UTF-8
259
+ Transfer-Encoding:
260
+ - chunked
261
+ Date:
262
+ - Mon, 26 Jan 2015 11:21:47 GMT
263
+ body:
264
+ encoding: UTF-8
265
+ string: "<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\" \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\"
266
+ >\n<html xml:lang=\"pt-br\" lang=\"pt-br\" xmlns=\"http://www.w3.org/1999/xhtml\">\n<head>\n\t<meta
267
+ http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\" />\n\t<meta
268
+ http-equiv=\"Pragma\" content=\"no-cache\" />\n\t<meta name=\"generator\"
269
+ content=\"mec.gov.br\" />\n\t<meta name=\"description\" content=\"Ministrio
270
+ da Educao - Brasil\" />\n\t<meta name=\"keywords\" content=\"Ministrio da
271
+ Educao, ProUni, MEC, Site MEC, ensino, estudo, brasil, governo, federal, acessibilidade,
272
+ faculdades, ensino superior, ensino mdio, ensino fundamental, escola\" />\n\t<meta
273
+ name=\"resource-type\" content=\"document\" />\n\t<meta http-equiv=\"Cache-Control\"
274
+ content=\"no-cache\" />\n\t<meta http-equiv=\"Pragma\" content=\"no-cache\"
275
+ />\n\t<meta name=\"classification\" content=\"Internet\" />\n\t<meta name=\"robots\"
276
+ content=\"ALL\" />\n\t<meta name=\"rating\" content=\"General\" />\n\t<meta
277
+ name=\"copyright\" content=\"MEC\" />\n\t<meta name=\"language\" content=\"pt-br\"
278
+ />\n\t<meta name=\"doc-class\" content=\"Completed\" />\n\t<meta name=\"doc-rights\"
279
+ content=\"Public\" />\n\t<meta name=\"DC.title\" content=\"MEC\" />\n\t<meta
280
+ name=\"geo.region\" content=\"BR-DF\" />\n\t<meta name=\"geo.placename\" content=\"Distrito
281
+ Federal\" />\n\t<meta name=\"distribution\" content=\"Global\" />\n\t<meta
282
+ name=\"revisit-after\" content=\"1\" />\n\t<meta http-equiv=\"Pragma\" content=\"no-cache\"
283
+ />\n\t<meta http-equiv=\"Cache-Control\" content=\"no-cache\" />\n\t<meta
284
+ http-equiv=\"Cache-Control\" content=\"must-revalidate\" />\n\t<meta http-equiv=\"Expires\"
285
+ content=\"Mon, 1 Jan 2006 05:00:00\" />\n\t<title>Minist&eacute;rio da Educa&ccedil;&atilde;o
286
+ - MEC</title>\n\t<link class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalorg/richfaces/renderkit/html/css/basic_classes.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__\"
287
+ rel=\"stylesheet\" type=\"text/css\" /><link class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalorg/richfaces/renderkit/html/css/extended_classes.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__\"
288
+ media=\"rich-extended-skinning\" rel=\"stylesheet\" type=\"text/css\" /><link
289
+ class=\"component\" href=\"/EnemSolicitacao/a4j/s/3_3_3.Finalcss/panel.xcss/DATB/eAGbUnaFO3T5DGkAEaUDmQ__\"
290
+ rel=\"stylesheet\" type=\"text/css\" /><script type=\"text/javascript\">window.RICH_FACES_EXTENDED_SKINNING_ON=true;</script><script
291
+ src=\"/EnemSolicitacao/a4j/g/3_3_3.Finalorg/richfaces/renderkit/html/scripts/skinning.js\"
292
+ type=\"text/javascript\"></script><link rel=\"shortcut icon\" href=\"favicon.ico\"
293
+ type=\"image/x-icon\" />\n\t<link rel=\"stylesheet\" media=\"screen\" href=\"http://public.inep.gov.br/MECdefault/css/screen.css\"
294
+ />\n\t<link rel=\"stylesheet\" media=\"print\" href=\"http://public.inep.gov.br/MECdefault/css/print.css\"
295
+ />\n\t\n \n <script>\n\t\t//<![CDATA[\n\t\t\tvar loadPrototype\t= (!(typeof
296
+ Prototype=='undefined')) ? ((!Prototype.Version)|| false) : false;\n\t\t\tif(loadPrototype){\n\t\t\t\t//document.write('<script
297
+ type=\"text/javascript\" src=\"http://public.inep.gov.br/MECdefault/js/lib/prototype/prototype.js\"><\\/script>');\n\t\t\t}\n\t\t\t\n\t\t\tvar
298
+ loadFormulario\t= (typeof Formulario=='undefined') || false;\n\t\t\tif(loadFormulario){\n\t\t\t\t//document.write('<script
299
+ type=\"text/javascript\" src=\"http://public.inep.gov.br/MECdefault/js/class/component/Formulario.js\"><\\/script>');\n\t\t\t}\n\t\t//]]>\n\t</script>\n\t<script
300
+ src=\"http://public.inep.gov.br/MECdefault/js/lib/scriptaculous/scriptaculous.js?load=effects\"></script>\n\t\n\t<script
301
+ src=\"http://public.inep.gov.br/MECdefault/js/class/InepMain.js\"></script>\n\t<style
302
+ type=\"text/css\">\n\t\t.AcessibilidadeBotoes {\n\t\t\twidth: 300px; \n\t\t\theight:
303
+ 22px;\n\t\t\ttext-align: right;\n\t\t\tmargin-left: auto; \n\t\t\tpadding:
304
+ 5px;\n\t\t}\n\n\t\t#FonteNormal {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
305
+ none;\n\t\t}\n\t\t\n\t\t#AumentarFonte {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
306
+ none;\n\t\t}\n\t\t\n\t\t#DiminuirFonte {\n\t\t\tcolor: white;\n\t\t\ttext-decoration:
307
+ none;\n\t\t}\n\t</style>\n\t\t<link href=\"/EnemSolicitacao/stylesheet/site.css\"
308
+ rel=\"stylesheet\" type=\"text/css\" />\n\t\t<link rel=\"stylesheet\" media=\"screen\"
309
+ href=\"http://public.inep.gov.br/MECdefault/css/noLeftMenu.css\" />\n\t\t<script
310
+ language=\"JavaScript\">\n\t \tjavascript:window.history.forward(1);\t\n\t
311
+ \ </script>\n</head>\n\n<body>\n<div id=\"barra-brasil\">\n <a href=\"http://brasil.gov.br\"
312
+ style=\"background:#7F7F7F; height: 20px; padding:4px 0 4px 10px; display:
313
+ block; font-family:sans,sans-serif; text-decoration:none; color:white; \">Portal
314
+ do Governo Brasileiro</a>\n</div>\n\n\n<div id=\"Wrapper\">\n\t\n\t<div id=\"Header\">\n\t\t<div
315
+ id=\"LogoRepublica\">\n\t\t<img src=\"http://public.inep.gov.br/MECdefault/files/images/logos/republica.jpg\"
316
+ class=\"OnlyPrint\" />\n\t\t</div>\n\t\t\n\t\t<div class=\"INEP\">\n\t\t\t<div
317
+ id=\"LinkINEP\" class=\"NoPrint\"></div>\n\t\t\t<h2 class=\"OnlyPrint\"><a
318
+ href=\"http://www.inep.gov.br/\">Instituto Nacional de Estudos e <br /> Pesquisas
319
+ Educacionais An&iacute;sio Teixeira</a></h2>\n\t\t\t<div class=\"AcessibilidadeBotoes\">\n
320
+ \ <a href=\"javascript:controlFontSize('0', 180, 60); void(0);\"
321
+ id=\"FonteNormal\">\n <img width=\"15\" height=\"15\" alt=\"Fonte
322
+ normal\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_normal.png\"
323
+ />\n </a>\n <a href=\"javascript:controlFontSize('+',
324
+ 180, 60); void(0);\" id=\"AumentarFonte\">\n <img width=\"15\"
325
+ height=\"15\" alt=\"Aumentar fonte\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_mais.png\"
326
+ />\n </a>\n <a href=\"javascript:controlFontSize('-',
327
+ 180, 60); void(0);\" id=\"DiminuirFonte\">\n <img width=\"15\"
328
+ height=\"15\" alt=\"Diminuir fonte.\" src=\"http://public.inep.gov.br/MECdefault/files/images/a_menos.png\"
329
+ />\n </a>\n </div>\n\t\t</div>\n\t\t<div class=\"Topo\">\n\t\t\t<div
330
+ class=\"Ilustracao\"></div>\n\t\t\t\n\t\t</div>\n\t</div>\n\t\n\t<br class=\"Clear\"
331
+ />\n\t\n\t<div id=\"LeftMenu\" class=\"NoPrint\">\n\t</div>\n\t<div id=\"ContentHolder\">\n\t\t\n\t\n\t
332
+ \ \t<script type=\"text/javascript\">\n\t\t\tvar gaJsHost = ((\"https:\"
333
+ == document.location.protocol) ? \"https://ssl.\" : \"http://www.\");\n\t\t\tdocument.write(unescape(\"%3Cscript
334
+ src='\" + gaJsHost + \"google-analytics.com/ga.js' type='text/javascript'%3E%3C/script%3E\"));\n\t\t</script>\n\t\t<style>\n\t\t\tdl.FieldHolder
335
+ dt {\n\t\t\t\tbackground-color:#EEEEEE;\n\t\t\t\tborder-left:0 none;\n\t\t\t}\n\t\t</style>\n\t\t<script
336
+ language=\"javascript\" type=\"text/javascript\">\n\t\t\tsomenteNumeros =
337
+ function(e) {\n\t\t\t\tvar tecla = (window.event) ? event.keyCode : e.which;\n\t\t
338
+ \ if (tecla > 47 && tecla < 58) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\tif
339
+ (tecla == 8 || tecla == 0) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\treturn
340
+ false;\n\t\t\t}\n\t\t</script><ul class=\"message\"><li>\tFalha na autentica&ccedil;&atilde;o.
341
+ Verifique o usu&aacute;rio e senha informados. </li></ul>\n<form id=\"formLogin\"
342
+ name=\"formLogin\" method=\"post\" action=\"/EnemSolicitacao/login.seam\"
343
+ enctype=\"application/x-www-form-urlencoded\">\n<input type=\"hidden\" name=\"formLogin\"
344
+ value=\"formLogin\" />\n<div class=\"rich-panel \" id=\"j_id10\"><div class=\"rich-panel-header
345
+ \" id=\"j_id10_header\">Entrada</div><div class=\"rich-panel-body \" id=\"j_id10_body\">\n\t
346
+ \ \t\t\n\t\t\t\t\n\t\t\t\t<br />\n\t\t\t\t<br />\n\t\t\t\t\t\t\t\n\t\t\t
347
+ \ <td> Por favor, digite o n&uacute;mero de identifica&ccedil;&atilde;o
348
+ e a senha. </td>\n\t \t\t<br />\n\t\t\t\t\n\t \t\t<td> Caso seja o 1&ordm;
349
+ acesso, digite apenas o n&uacute;mero de identifica&ccedil;&atilde;o. </td>\n\t
350
+ \ \t\t \t\t \n\t <div class=\"dialog\"><table>\n<tbody>\n<tr
351
+ class=\"prop\">\n<td class=\"name\"><label for=\"username\">\nN&ordm; de Identifica&ccedil;&atilde;o:</label></td>\n<td
352
+ class=\"value\"><input id=\"username\" type=\"text\" name=\"username\" value=\"123\"
353
+ onkeypress=\"return somenteNumeros(event);\" /></td>\n</tr>\n<tr class=\"prop\">\n<td
354
+ class=\"name\"><label for=\"password\">\nSenha:</label></td>\n<td class=\"value\"><input
355
+ id=\"password\" type=\"password\" name=\"password\" autocomplete=\"off\" value=\"\"
356
+ /></td>\n</tr>\n</tbody>\n</table>\n\n\t </div><input type=\"image\"
357
+ src=\"http://public.inep.gov.br/MECdefault/files/images/botoes/acao/vermelho/entrar.jpg\"
358
+ name=\"j_id19\" /></div></div>\n\n\t\t\t<table cellpadding=\"0\" cellspacing=\"0\"
359
+ width=\"100%\">\n\t\t\t\t<tr>\n\t\t\t\t\t<td align=\"left\">\n<script type=\"text/javascript\"
360
+ language=\"Javascript\">function dpf(f) {var adp = f.adp;if (adp != null)
361
+ {for (var i = 0;i < adp.length;i++) {f.removeChild(adp[i]);}}};function apf(f,
362
+ pvp) {var adp = new Array();f.adp = adp;var i = 0;for (k in pvp) {var p =
363
+ document.createElement(\"input\");p.type = \"hidden\";p.name = k;p.value =
364
+ pvp[k];f.appendChild(p);adp[i++] = p;}};function jsfcljs(f, pvp, t) {apf(f,
365
+ pvp);var ft = f.target;if (t) {f.target = t;}f.submit();f.target = ft;dpf(f);};</script>\n<a
366
+ href=\"#\" onclick=\"if(typeof jsfcljs == 'function'){jsfcljs(document.getElementById('formLogin'),{'j_id21':'j_id21'},'');}return
367
+ false\">Esqueci minha senha</a>\n\t\t\t\t\t</td>\n\t\t\t\t</tr>\n\t\t\t\t\n\t\t\t</table><input
368
+ type=\"hidden\" name=\"javax.faces.ViewState\" id=\"javax.faces.ViewState\"
369
+ value=\"j_id2\" />\n</form>\n\t\n\t <p align=\"right\">\n\t\t\t\t<i><font
370
+ color=\"2525112\"><label>\nVersao: v3.0.3.3 202</label></font></i>\n\t\t\t</p>\n\t</div>\n\t\n\t<br
371
+ class=\"Clear\" />\n\t\n\t<div id=\"Footer\" class=\"NoPrint\">Copyright MEC
372
+ - INEP - Instituto Nacional de Estudos e Pesquisas Educacionais An&iacute;sio
373
+ Teixeira</div>\n</div>\n<script src=\"http://public.inep.gov.br/barra_governo/barra-sistema.js\"
374
+ type=\"text/javascript\"></script>\n</body>\n</html>"
375
+ http_version:
376
+ recorded_at: Mon, 26 Jan 2015 11:21:31 GMT
377
+ recorded_with: VCR 2.9.2