├── admin ├── __init__.py ├── templates │ └── admin │ │ ├── home.html │ │ ├── modelo.html │ │ ├── cursos.html │ │ └── cursos_form.html ├── decorators.py └── controllers.py ├── database ├── __init__.py ├── carregador.py ├── classes.py └── dados.json ├── website ├── __init__.py ├── templates │ ├── entrar.html │ ├── index.html │ ├── contato.html │ ├── sobre.html │ ├── modelo.html │ └── curso.html └── controllers.py ├── README.md ├── static ├── favicon.ico ├── imagens │ ├── impacta-logo.png │ ├── play-smartclass.jpg │ └── premios │ │ ├── enade-BD.png │ │ ├── enade-SI.png │ │ ├── enade-ADS.png │ │ └── enade-GTI.png ├── css │ ├── imagens │ │ ├── bars-icone.png │ │ ├── instagram-64.png │ │ ├── twitter-3-64.png │ │ ├── youtube-64.png │ │ ├── facebook-3-64.png │ │ └── linkedin-3-64.png │ ├── sobre.css │ ├── forms.css │ ├── index.css │ ├── admin.css │ ├── cursos.css │ └── site.css └── scripts │ ├── admin.js │ ├── cursos.js │ ├── menu.js │ ├── entrar.js │ └── forms.js ├── requirements.txt ├── app.py ├── .gitignore └── LICENSE /admin/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /database/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /website/__init__.py: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Catálogo de Cursos - Backend (Flask - Python) 2 | -------------------------------------------------------------------------------- /static/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/favicon.ico -------------------------------------------------------------------------------- /static/imagens/impacta-logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/impacta-logo.png -------------------------------------------------------------------------------- /static/css/imagens/bars-icone.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/bars-icone.png -------------------------------------------------------------------------------- /static/css/imagens/instagram-64.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/instagram-64.png -------------------------------------------------------------------------------- /static/css/imagens/twitter-3-64.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/twitter-3-64.png -------------------------------------------------------------------------------- /static/css/imagens/youtube-64.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/youtube-64.png -------------------------------------------------------------------------------- /static/imagens/play-smartclass.jpg: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/play-smartclass.jpg -------------------------------------------------------------------------------- /static/imagens/premios/enade-BD.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/premios/enade-BD.png -------------------------------------------------------------------------------- /static/imagens/premios/enade-SI.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/premios/enade-SI.png -------------------------------------------------------------------------------- /static/css/imagens/facebook-3-64.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/facebook-3-64.png -------------------------------------------------------------------------------- /static/css/imagens/linkedin-3-64.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/css/imagens/linkedin-3-64.png -------------------------------------------------------------------------------- /static/imagens/premios/enade-ADS.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/premios/enade-ADS.png -------------------------------------------------------------------------------- /static/imagens/premios/enade-GTI.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tecnologias-web/catalogo-cursos-flask/HEAD/static/imagens/premios/enade-GTI.png -------------------------------------------------------------------------------- /requirements.txt: -------------------------------------------------------------------------------- 1 | click==7.1.2 2 | flake8==3.8.4 3 | Flask==1.1.2 4 | importlib-metadata==2.0.0 5 | itsdangerous==1.1.0 6 | Jinja2==2.11.2 7 | MarkupSafe==1.1.1 8 | mccabe==0.6.1 9 | pycodestyle==2.6.0 10 | pyflakes==2.2.0 11 | Werkzeug==1.0.1 12 | zipp==3.4.0 13 | -------------------------------------------------------------------------------- /static/css/sobre.css: -------------------------------------------------------------------------------- 1 | .sobre { 2 | border-bottom: 1px solid var(--cor-cinza-escuro); 3 | } 4 | 5 | .sobre p { 6 | text-align: justify; 7 | } 8 | 9 | .empresa { 10 | text-align: center; 11 | } 12 | 13 | .lista-valores { 14 | list-style: none; 15 | } -------------------------------------------------------------------------------- /admin/templates/admin/home.html: -------------------------------------------------------------------------------- 1 | {% extends 'admin/modelo.html' %} 2 | 3 | {% block titulo %} Administração {% endblock %} 4 | 5 | {% block admin %} 6 |

Home

7 | 8 |

9 | Navega nas categorias ao lado para administrar o site! 10 |

11 | {% endblock %} -------------------------------------------------------------------------------- /static/scripts/admin.js: -------------------------------------------------------------------------------- 1 | 2 | 3 | const forms = document.querySelectorAll('form.remover') 4 | 5 | forms.forEach(form => { 6 | form.addEventListener('submit', event => { 7 | if(!confirm('Deseja remover o elemento selecionado?')){ 8 | event.preventDefault() 9 | } 10 | }) 11 | }) -------------------------------------------------------------------------------- /admin/decorators.py: -------------------------------------------------------------------------------- 1 | from functools import wraps 2 | from flask import redirect, session 3 | 4 | 5 | def login_required(f): 6 | @wraps(f) 7 | def decorated_function(*args, **kwargs): 8 | if 'usuario' not in session: 9 | return redirect('/entrar') 10 | return f(*args, **kwargs) 11 | return decorated_function 12 | -------------------------------------------------------------------------------- /static/scripts/cursos.js: -------------------------------------------------------------------------------- 1 | document.querySelectorAll('ul.matriz-curricular > li') 2 | .forEach(function(li){ 3 | li.addEventListener('click', function(event){ 4 | if(li.classList.contains('ativo')){ 5 | li.classList.remove('ativo') 6 | } else { 7 | let liAtivo = li.parentNode.querySelector('li.ativo') 8 | if(liAtivo) 9 | liAtivo.classList.remove('ativo') 10 | li.classList.add('ativo') 11 | } 12 | }) 13 | }) -------------------------------------------------------------------------------- /static/scripts/menu.js: -------------------------------------------------------------------------------- 1 | const drop = document.querySelector('.dropdown-menu'), 2 | nav = document.querySelector('nav') 3 | 4 | document.addEventListener('click' , (event) => { 5 | let elemento = event.target 6 | if(elemento.classList.contains('dropdown-button')){ 7 | drop.classList.toggle('ativo') 8 | } else { 9 | drop.classList.remove('ativo') 10 | } 11 | 12 | if(elemento.classList.contains('menu-icone')){ 13 | event.preventDefault() 14 | nav.classList.toggle('ativo') 15 | } 16 | }) -------------------------------------------------------------------------------- /admin/templates/admin/modelo.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | 3 | {% block estilos %} 4 | 5 | {% endblock %} 6 | 7 | {% block conteudo %} 8 |

Área Administrativa

9 |
10 | 16 |
17 | {% block admin %}{% endblock %} 18 |
19 |
20 | {% endblock %} -------------------------------------------------------------------------------- /static/scripts/entrar.js: -------------------------------------------------------------------------------- 1 | const form = document.querySelector('form') 2 | 3 | form.addEventListener('submit', function(event){ 4 | let erroUL = form.querySelector('ul.erros'), 5 | usuario = form.querySelector('input[name="usuario"]').value, 6 | senha = form.querySelector('input[name="senha"]').value 7 | 8 | if(erroUL.innerHTML) { 9 | event.preventDefault() 10 | return 11 | } 12 | 13 | if(usuario === 'admin' && senha === 'teste123*') { 14 | alert('Você logou com sucesso!'); 15 | } else { 16 | erroUL.innerHTML += `
  • Usuário e/ou senha incorretos!
  • ` 17 | erroUL.classList.add('mostrar') 18 | event.preventDefault() 19 | } 20 | }) -------------------------------------------------------------------------------- /app.py: -------------------------------------------------------------------------------- 1 | import os 2 | from admin.controllers import admin_bp 3 | from flask import Flask 4 | from database.carregador import carregar_dados 5 | from database.classes import Curso 6 | from website.controllers import website_bp 7 | 8 | 9 | app = Flask(__name__) 10 | app.secret_key = 'SEGREDO-TOTAL' 11 | 12 | app.register_blueprint(website_bp) 13 | app.register_blueprint(admin_bp, url_prefix='/admin') 14 | 15 | 16 | @app.context_processor 17 | def listar_cursos(): 18 | return dict(cursos_menu=Curso.listar()) 19 | 20 | 21 | if __name__ == '__main__': 22 | carregar_dados( 23 | os.path.join( 24 | os.path.dirname( 25 | os.path.abspath(__file__) 26 | ), 27 | 'database' 28 | ) 29 | ) 30 | app.run( 31 | debug=True 32 | ) 33 | -------------------------------------------------------------------------------- /static/css/forms.css: -------------------------------------------------------------------------------- 1 | input, select, textarea { 2 | border-radius: 4px; 3 | border: 1px solid var(--cor-cinza-claro); 4 | display: inline-block; 5 | margin: 8px 0; 6 | padding: 12px 20px; 7 | width: 100%; 8 | } 9 | 10 | form.validado input:invalid, 11 | form.validado select:invalid, 12 | form.validado textarea:invalid { 13 | border-color: var(--cor-vermelho); 14 | color: var(--cor-vermelho); 15 | } 16 | 17 | ul.erros { 18 | border: 1px solid var(--cor-vermelho); 19 | background: var(--cor-vermelho-claro); 20 | color: var(--cor-vermelho); 21 | display: none; 22 | list-style: none; 23 | margin: 0 auto; 24 | padding: 5px 8px; 25 | width: 350px; 26 | } 27 | 28 | ul.erros.mostrar { 29 | display: block; 30 | } 31 | 32 | .acoes { 33 | text-align: center; 34 | margin: 5px 0; 35 | } 36 | 37 | input[type="checkbox"], input[type="radio"] { 38 | width: initial; 39 | } -------------------------------------------------------------------------------- /static/css/index.css: -------------------------------------------------------------------------------- 1 | .premios { 2 | border-bottom: 1px solid var(--cor-cinza-escuro); 3 | display: flex; 4 | flex-flow: row wrap; 5 | justify-content: space-around; 6 | } 7 | 8 | .premios h2 { 9 | width: 100%; 10 | } 11 | 12 | .premio { 13 | background-color: var(--cor-escura); 14 | border-radius: 10px; 15 | color: var(--cor-branca); 16 | margin: 8px 0; 17 | padding: 15px 10px; 18 | text-align: center; 19 | width: 500px; 20 | } 21 | 22 | .premio h2, .premio h3 { 23 | margin: 0; 24 | } 25 | 26 | .premio h3 { 27 | color: var(--cor-branca); 28 | } 29 | 30 | .smartclass { 31 | display: flex; 32 | flex-flow: row wrap; 33 | justify-content: space-around; 34 | padding-bottom: 10px; 35 | } 36 | 37 | .smartclass h2 { 38 | width: 100%; 39 | } 40 | 41 | .smartclass p { 42 | flex: 0 0 50%; 43 | } 44 | 45 | .smartclass img { 46 | order: 1; 47 | width: 350px; 48 | } -------------------------------------------------------------------------------- /static/css/admin.css: -------------------------------------------------------------------------------- 1 | section.admin { 2 | display: flex; 3 | flex-flow: row nowrap; 4 | } 5 | 6 | nav.admin-menu { 7 | flex: 0 0 200px; 8 | } 9 | 10 | nav.admin-menu a { 11 | display: block; 12 | border: 1px solid var(--cor-escura); 13 | background-color: var(--cor-branca); 14 | color: var(--cor-escura); 15 | display: block; 16 | padding: 5px 8px; 17 | margin-bottom: -1px; 18 | } 19 | 20 | nav.admin-menu a:hover { 21 | background-color: var(--cor-cinza-escuro); 22 | } 23 | 24 | section.conteudo { 25 | padding: 8px; 26 | flex: 1; 27 | } 28 | 29 | section.conteudo h2 { 30 | margin: 0; 31 | text-align: center; 32 | } 33 | 34 | div.botoes { 35 | height: 35px; 36 | text-align: right; 37 | } 38 | 39 | div.botoes .botao, table.crud .botao { 40 | padding: 5px; 41 | } 42 | 43 | table.crud { 44 | font-family: Arial, Helvetica, sans-serif; 45 | border-collapse: collapse; 46 | width: 100%; 47 | } 48 | 49 | table.crud td, table.crud th { 50 | border: 1px solid var(--cor-cinza); 51 | padding: 8px; 52 | } 53 | 54 | table.crud tr:nth-child(even){ 55 | background-color: var(--cor-branca); 56 | } 57 | 58 | table.crud tr:hover { 59 | background-color: var(--cor-cinza); 60 | } 61 | 62 | table.crud th { 63 | padding-top: 12px; 64 | padding-bottom: 12px; 65 | text-align: left; 66 | background-color: #4CAF50; 67 | color: var(--cor-branca); 68 | } 69 | 70 | form.remover { 71 | display: inline; 72 | } -------------------------------------------------------------------------------- /website/templates/entrar.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | 3 | {% block titulo %} Entrar {% endblock %} 4 | 5 | {% block estilos %} 6 | 7 | {% endblock %} 8 | 9 | {% block scripts %} 10 | 11 | {% endblock %} 12 | 13 | {% block conteudo %} 14 |

    Faça o seu login

    15 |
    16 | {% with mensagens = get_flashed_messages() %} 17 | {% if mensagens %} 18 | 23 | {% endif %} 24 | {% endwith %} 25 |
    26 | 27 | 28 |
    29 |
    30 | 31 | 32 |
    33 |
    34 | 35 | 36 |
    37 |
    38 | 41 |
    42 |
    43 | {% endblock %} -------------------------------------------------------------------------------- /admin/templates/admin/cursos.html: -------------------------------------------------------------------------------- 1 | {% extends 'admin/modelo.html' %} 2 | 3 | {% block titulo %} Controle de Cursos {% endblock %} 4 | 5 | {% block scripts %} 6 | 7 | {% endblock %} 8 | 9 | {% block admin %} 10 |

    Controle de Cursos

    11 |
    12 | 13 | Novo Curso 14 | 15 |
    16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | {% for curso in cursos %} 26 | 27 | 28 | 29 | 30 | 31 | 32 | 42 | 43 | {% endfor %} 44 |
    NomeSiglaCoordenadorTipoDuraçãoAções
    {{curso.nome}}{{curso.sigla}}{{curso.coordenador}}{{curso.tipo}}{{curso.duracao}} 33 | 34 | Alterar 35 | 36 |
    37 | 40 |
    41 |
    45 | {% endblock %} -------------------------------------------------------------------------------- /website/templates/index.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | {% block titulo %} Início {% endblock %} 3 | 4 | {% block estilos %} 5 | 6 | {% endblock %} 7 | 8 | {% block conteudo %} 9 |

    Faculdade Impacta de Tecnologia

    10 |
    11 |

    Prêmios e Reconhecimentos

    12 | {% for premio in premios %} 13 |
    14 |

    {{premio.titulo}}

    15 | {{premio.titulo|lower}} 16 |

    Graduação em {{premio.curso.nome}}

    17 | {{premio.descricao|safe}} 18 | 19 | Confira mais sobre o curso 20 | 21 |
    22 | {% endfor %} 23 |
    24 |
    25 |

    Conheça o Smartclass

    26 | play do smartclass 27 |

    28 | As salas de aula da Faculdade Impacta são equipadas com lousas eletrônicas, 29 | que capturam todos os pontos das aulas presenciais, como voz, escrita dinâmica, 30 | vídeos e navegação do professor. Todo o conteúdo é gravado e disponibilizado 31 | em uma sala de ensino virtual para que o aluno assista quando e onde quiser, 32 | de qualquer plataforma digital. Sempre disponível para consulta dos alunos! 33 |

    34 |
    35 | {% endblock %} -------------------------------------------------------------------------------- /database/carregador.py: -------------------------------------------------------------------------------- 1 | import json 2 | import os 3 | 4 | from database.classes import Curso, Disciplina, Premio, Usuario 5 | 6 | 7 | def carregar_dados(base_dir): 8 | with open(os.path.join(base_dir, 'dados.json')) as json_arq: 9 | dados = json.load(json_arq) 10 | carregar_cursos(dados['cursos']) 11 | carregar_disciplinas(dados['disciplinas']) 12 | carregar_premios(dados['premios']) 13 | carregar_usuarios(dados['usuarios']) 14 | 15 | 16 | def carregar_cursos(cursos): 17 | for curso in cursos: 18 | Curso.criar( 19 | curso['nome'], 20 | curso['sigla'], 21 | curso['tipo'], 22 | curso['descricao'], 23 | curso['coordenador'], 24 | curso['duracao'], 25 | curso['diurno'], 26 | curso['noturno'] 27 | ) 28 | print(f'Carregados {len(cursos)} cursos com sucesso!') 29 | 30 | 31 | def carregar_disciplinas(disciplinas): 32 | for disciplina in disciplinas: 33 | Disciplina.criar( 34 | disciplina['nome'], 35 | Curso.obter(disciplina['curso']), 36 | disciplina['semestre'], 37 | disciplina['presencial'], 38 | disciplina['ead'] 39 | ) 40 | print(f'Carregados {len(disciplinas)} disciplinas com sucesso!') 41 | 42 | 43 | def carregar_premios(premios): 44 | for premio in premios: 45 | Premio.criar( 46 | premio['titulo'], 47 | premio['descricao'], 48 | Curso.obter(premio['curso']) 49 | ) 50 | print(f'Carregados {len(premios)} prêmios com sucesso!') 51 | 52 | 53 | def carregar_usuarios(usuarios): 54 | for usuario in usuarios: 55 | Usuario.criar( 56 | usuario['usuario'], 57 | usuario['nome'], 58 | usuario['email'], 59 | usuario['senha'] 60 | ) 61 | print(f'Carregados {len(usuarios)} usuários com sucesso!') 62 | 63 | 64 | if __name__ == "__main__": 65 | base_dir = os.path.dirname(os.path.abspath(__file__)) 66 | carregar_dados(base_dir) 67 | -------------------------------------------------------------------------------- /website/controllers.py: -------------------------------------------------------------------------------- 1 | from datetime import datetime 2 | from database.classes import Curso, Disciplina, Premio, Usuario 3 | from flask import Blueprint, flash, redirect, render_template, request, session 4 | 5 | 6 | website_bp = Blueprint( 7 | 'website', 8 | __name__, 9 | template_folder='templates' 10 | ) 11 | 12 | 13 | @website_bp.route('/') 14 | def index(): 15 | return render_template( 16 | 'index.html', 17 | premios=Premio.listar() 18 | ) 19 | 20 | 21 | @website_bp.route('/sobre') 22 | def sobre(): 23 | return render_template( 24 | 'sobre.html' 25 | ) 26 | 27 | 28 | @website_bp.route('/entrar') 29 | def entrar(): 30 | return render_template( 31 | 'entrar.html' 32 | ) 33 | 34 | 35 | @website_bp.route('/autenticar', methods=['POST']) 36 | def autenticar(): 37 | form = request.form 38 | usuario = Usuario.autenticar( 39 | form.get('usuario'), 40 | form.get('senha') 41 | ) 42 | if usuario: 43 | session['usuario'] = usuario.nome 44 | session['data'] = datetime.now().__str__() 45 | return redirect('/admin') 46 | else: 47 | flash('Usuário ou senha incorretos!') 48 | return redirect('/entrar') 49 | 50 | 51 | @website_bp.route('/sair') 52 | def sair(): 53 | session.clear() 54 | return redirect('/') 55 | 56 | 57 | @website_bp.route('/contato', methods=['GET', 'POST']) 58 | def contato(): 59 | 60 | if request.method == 'POST': 61 | form = request.form 62 | print(f''' 63 | ++++ MENSAGEM ENVIADA ++++ 64 | -> Nome: {form.get('nome')} 65 | -> E-mail: {form.get('email')} 66 | -> Assunto: {form.get('assunto')} 67 | -> Como Conheceu: {form.get('conheceu')} 68 | -> Mensagem: 69 | {form.get('mensagem')} 70 | ''') 71 | 72 | return render_template( 73 | 'contato.html' 74 | ) 75 | 76 | 77 | @website_bp.route('/cursos/') 78 | def cursos(sigla): 79 | objeto = Curso.obter(sigla) 80 | disciplinas = Disciplina.filtrar(objeto.sigla) 81 | return render_template( 82 | 'curso.html', 83 | curso=objeto, 84 | disciplinas=disciplinas 85 | ) 86 | -------------------------------------------------------------------------------- /static/css/cursos.css: -------------------------------------------------------------------------------- 1 | main { 2 | display: flex; 3 | flex-flow: row wrap; 4 | } 5 | 6 | main h1 { 7 | width: 100%; 8 | } 9 | 10 | main section:nth-of-type(2) { 11 | flex: 1; 12 | padding: 8px 10px; 13 | } 14 | 15 | main section:nth-of-type(3) { 16 | width: 100%; 17 | } 18 | 19 | .sobre-curso { 20 | background-color: var(--cor-cinza-escuro); 21 | border: 1px solid var(--cor-cinza-escuro); 22 | color: var(--cor-branca); 23 | flex: 0 0 65%; 24 | padding: 8px 10px; 25 | } 26 | 27 | .sobre-curso h2 { 28 | margin: 0; 29 | } 30 | .sobre-curso p { 31 | text-align: justify; 32 | } 33 | 34 | strong { 35 | color: var(--cor-azul); 36 | } 37 | 38 | .investimento thead { 39 | background-color: var(--cor-escura); 40 | color: var(--cor-branca); 41 | } 42 | 43 | .investimento tbody { 44 | background-color: var(--cor-cinza-escuro); 45 | color: var(--cor-branca); 46 | } 47 | 48 | .investimento del { 49 | color: var(--cor-cinza-claro); 50 | } 51 | 52 | .investimento ins { 53 | color: var(--cor-azul); 54 | font-weight: bolder; 55 | text-decoration: none; 56 | } 57 | 58 | .matriz-curricular { 59 | color: var(--cor-branca); 60 | list-style: none; 61 | padding: 0 62 | } 63 | 64 | .matriz-curricular ul { 65 | background-color: var(--cor-escura); 66 | display: none; 67 | list-style: none; 68 | font-weight: normal; 69 | margin: 0; 70 | margin-top: 5px; 71 | padding: 0; 72 | } 73 | 74 | .matriz-curricular > li { 75 | background-color: var(--cor-cinza-escuro); 76 | border-bottom: 1px solid var(--cor-grafite); 77 | cursor: pointer; 78 | font-weight: bold; 79 | text-indent: 10px; 80 | padding: 5px 0; 81 | } 82 | 83 | .matriz-curricular > li.ativo { 84 | background-color: var(--cor-escura); 85 | font-weight: bolder; 86 | } 87 | 88 | .matriz-curricular > li.ativo ul { 89 | display: block; 90 | } 91 | 92 | .matriz-curricular ul > li { 93 | border-bottom: 1px solid var(--cor-grafite); 94 | padding: 8px 5px; 95 | cursor: text; 96 | } 97 | 98 | .matriz-curricular ul > li:hover { 99 | border-color: var(--cor-azul); 100 | } -------------------------------------------------------------------------------- /website/templates/contato.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | 3 | {% block titulo %} Contato {% endblock %} 4 | 5 | {% block estilos %} 6 | 7 | {% endblock %} 8 | 9 | {% block scripts %} 10 | 11 | {% endblock %} 12 | 13 | {% block conteudo %} 14 |

    Entre em contato conosco!

    15 |
    16 | 17 |
    18 | 19 | 25 |
    26 |
    27 | 28 | 29 |
    30 |
    31 | 32 | 38 |
    39 |
    40 | 41 | 42 |
    43 |
    44 | Como você conheceu a Impacta? 45 | 46 | 47 | 48 | 49 | 50 | 51 |
    52 |
    53 | 56 | 59 |
    60 |
    61 | {% endblock %} -------------------------------------------------------------------------------- /website/templates/sobre.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | {% block titulo %} Sobre a Faculdade {% endblock %} 3 | 4 | {% block estilos %} 5 | 6 | {% endblock %} 7 | 8 | {% block conteudo %} 9 |

    Sobre a Faculdade

    10 |
    11 |

    Faculdade Impacta

    12 |

    13 | Fundada em 2003, a Faculdade Impacta é considerada uma das melhores instituições de tecnologia da 14 | América Latina devido ao seu intenso compromisso com a educação ao longo dos anos e à transformação 15 | da sociedade através da tecnologia. 16 |

    17 |

    18 | Referência nas áreas de TI, Gestão e Design, a Impacta conta com cursos de Graduação, Pós-Graduação, 19 | Extensão, MBA e cursos técnicos que preparam seus alunos para os desafios do mercado de trabalho, além 20 | de um time de mestres e doutores com larga experiência profissional. 21 |

    22 |

    23 | O alto nível de empregabilidade é uma das principais características da Faculdade Impacta, que é 24 | reconhecida pelas maiores empresas do País, em que seus alunos garantem posições de destaque no mercado 25 | de trabalho após o término do curso. 26 |

    27 |

    28 | A Instituição ainda conta com infraestrutura moderna, avaliação positiva do MEC, cursos estrelados no Guia 29 | do Estudante e parcerias estratégicas com grandes empresas para oferecer a melhor formação para os alunos. 30 |

    31 |
    32 |
    33 |

    Missão

    34 |

    35 | A Faculdade Impacta Tecnologia tem como missão disseminar o conhecimento no País e contribuir 36 | para a construção de uma sociedade mais igualitária através das novas tecnologias aliadas à educação. 37 |

    38 |

    Visão

    39 |

    40 | Ser o melhor em educação, conhecimento, capacitação e inovação com liderança, presença e referência mundial. 41 |

    42 |

    Valores

    43 | 51 |
    52 | {% endblock %} -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Byte-compiled / optimized / DLL files 2 | __pycache__/ 3 | *.py[cod] 4 | *$py.class 5 | 6 | # C extensions 7 | *.so 8 | 9 | # Distribution / packaging 10 | .Python 11 | build/ 12 | develop-eggs/ 13 | dist/ 14 | downloads/ 15 | eggs/ 16 | .eggs/ 17 | lib/ 18 | lib64/ 19 | parts/ 20 | sdist/ 21 | var/ 22 | wheels/ 23 | share/python-wheels/ 24 | *.egg-info/ 25 | .installed.cfg 26 | *.egg 27 | MANIFEST 28 | 29 | # PyInstaller 30 | # Usually these files are written by a python script from a template 31 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 32 | *.manifest 33 | *.spec 34 | 35 | # Installer logs 36 | pip-log.txt 37 | pip-delete-this-directory.txt 38 | 39 | # Unit test / coverage reports 40 | htmlcov/ 41 | .tox/ 42 | .nox/ 43 | .coverage 44 | .coverage.* 45 | .cache 46 | nosetests.xml 47 | coverage.xml 48 | *.cover 49 | *.py,cover 50 | .hypothesis/ 51 | .pytest_cache/ 52 | cover/ 53 | 54 | # Translations 55 | *.mo 56 | *.pot 57 | 58 | # Django stuff: 59 | *.log 60 | local_settings.py 61 | db.sqlite3 62 | db.sqlite3-journal 63 | 64 | # Flask stuff: 65 | instance/ 66 | .webassets-cache 67 | 68 | # Scrapy stuff: 69 | .scrapy 70 | 71 | # Sphinx documentation 72 | docs/_build/ 73 | 74 | # PyBuilder 75 | .pybuilder/ 76 | target/ 77 | 78 | # Jupyter Notebook 79 | .ipynb_checkpoints 80 | 81 | # IPython 82 | profile_default/ 83 | ipython_config.py 84 | 85 | # pyenv 86 | # For a library or package, you might want to ignore these files since the code is 87 | # intended to run in multiple environments; otherwise, check them in: 88 | # .python-version 89 | 90 | # pipenv 91 | # According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. 92 | # However, in case of collaboration, if having platform-specific dependencies or dependencies 93 | # having no cross-platform support, pipenv may install dependencies that don't work, or not 94 | # install all needed dependencies. 95 | #Pipfile.lock 96 | 97 | # PEP 582; used by e.g. github.com/David-OConnor/pyflow 98 | __pypackages__/ 99 | 100 | # Celery stuff 101 | celerybeat-schedule 102 | celerybeat.pid 103 | 104 | # SageMath parsed files 105 | *.sage.py 106 | 107 | # Environments 108 | .env 109 | .venv 110 | env/ 111 | venv/ 112 | ENV/ 113 | env.bak/ 114 | venv.bak/ 115 | 116 | # Spyder project settings 117 | .spyderproject 118 | .spyproject 119 | 120 | # Rope project settings 121 | .ropeproject 122 | 123 | # mkdocs documentation 124 | /site 125 | 126 | # mypy 127 | .mypy_cache/ 128 | .dmypy.json 129 | dmypy.json 130 | 131 | # Pyre type checker 132 | .pyre/ 133 | 134 | # pytype static type analyzer 135 | .pytype/ 136 | 137 | # Cython debug symbols 138 | cython_debug/ 139 | 140 | .vscode -------------------------------------------------------------------------------- /static/scripts/forms.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Verifica a validade do e-mail de acordo com a sua forma. 3 | * 4 | * @param {String} email endereço de e-mail a ser válidado. 5 | * @returns {Boolean} true se o e-mail estiver válido, false caso contrário. 6 | */ 7 | const validarEmail = function(email) { 8 | return /^[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0-9-]+)*$/.test(email) 9 | } 10 | 11 | /** 12 | * Efetua a validação do formulário, devolvendo um vetor de erros caso algum problema de validação ocorra. 13 | * 14 | * @param {HTMLFormElement} form formulário a ser validado. 15 | * @return {Array} vetor com mensagens de erros (vazio se nenhum problema ocorrer). 16 | */ 17 | const validarFormulario = function(form) { 18 | let campos = form.querySelectorAll('input, select, textarea'), 19 | erros = [] 20 | 21 | form.classList.add('validado') 22 | 23 | campos.forEach(function(campo){ 24 | let valor = campo.value, 25 | nome = form.querySelector(`label[for="${campo.id}"]`).innerText.trim() 26 | if(campo.required && !valor){ 27 | erros.push(`${nome} é de preenchimendo obrigatório!`) 28 | } 29 | if(campo.maxLength > 0 && valor.length > campo.maxLength){ 30 | erros.push(`${nome} deve ter no máximo ${campo.maxLength} caracteres`) 31 | } 32 | if(campo.type === 'email' && !validarEmail(valor)){ 33 | erros.push(`${nome} não é um e-mail válido!`) 34 | } 35 | }) 36 | 37 | return erros 38 | } 39 | 40 | /** 41 | * Valida o nome do usuário e sua senha para pemitir a entrada na área administrativa. 42 | * 43 | * @param {String} usuario nome de usuário. 44 | * @param {String} senha senha do usuário. 45 | * @returns {Boolean} true se validado, false caso contrário. 46 | */ 47 | const validarUsuarioSenha = function(usuario, senha){ 48 | return usuario === 'admin' && senha === 'teste123*' 49 | } 50 | 51 | document.querySelectorAll('form') 52 | .forEach(function(form) { 53 | form.addEventListener('submit', function(event){ 54 | let erros = validarFormulario(form), 55 | erroUL = form.querySelector('ul.erros') 56 | if(erros.length > 0){ 57 | event.preventDefault() 58 | if(erroUL){ 59 | erroUL.innerHTML = '' 60 | erros.forEach(function(erro){ 61 | erroUL.innerHTML += `
  • ${erro}
  • ` 62 | }) 63 | erroUL.classList.add('mostrar') 64 | } else { 65 | console.error(erros) 66 | } 67 | } else { 68 | erroUL.innerHTML = '' 69 | erroUL.classList.remove('mostrar') 70 | } 71 | }, false) 72 | }) 73 | -------------------------------------------------------------------------------- /website/templates/modelo.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Faculdade Impacta | {% block titulo %}{% endblock %} 6 | 7 | 8 | {% block estilos %}{% endblock %} 9 | 10 | {% block scripts %}{% endblock %} 11 | 12 | 13 |
    14 | 41 |
    42 |
    43 | {% block conteudo %}{% endblock %} 44 |
    45 |
    46 | 63 |

    2020 Faculdade Impacta 11 3254-8300 Todos os direitos reservados.

    64 |
    65 | 66 | -------------------------------------------------------------------------------- /admin/templates/admin/cursos_form.html: -------------------------------------------------------------------------------- 1 | {% extends 'admin/modelo.html' %} 2 | 3 | {% block titulo %} {{titulo}} {% endblock %} 4 | 5 | {% block estilos %} 6 | {{ super() }} 7 | 8 | {% endblock %} 9 | 10 | {% block scripts %} 11 | 12 | 13 | {% endblock %} 14 | 15 | {% block admin %} 16 |

    {{titulo}}

    17 |
    18 |
      0 %}style="display: block;"{% endif %} > 19 | {% for erro in erros %} 20 |
    • {{ erro }}
    • 21 | {% endfor %} 22 |
    23 |
    24 | 25 | 26 |
    27 |
    28 | 29 | 30 |
    31 |
    32 | 33 | 34 |
    35 |
    36 | 37 | 38 |
    39 |
    40 | 41 | 46 |
    47 |
    48 | 49 | 50 |
    51 |
    52 | Períodos 53 | 54 | 55 | 56 | 57 |
    58 |
    59 | 62 | 65 |
    66 |
    67 | {% endblock %} -------------------------------------------------------------------------------- /admin/controllers.py: -------------------------------------------------------------------------------- 1 | from flask import Blueprint, jsonify, redirect, request, render_template 2 | from database.classes import Curso 3 | from admin.decorators import login_required 4 | 5 | 6 | admin_bp = Blueprint( 7 | 'admin', 8 | __name__, 9 | template_folder='templates' 10 | ) 11 | 12 | 13 | @admin_bp.route('/') 14 | @login_required 15 | def home(): 16 | return render_template('admin/home.html') 17 | 18 | 19 | @admin_bp.route('/cursos') 20 | @login_required 21 | def cursos(): 22 | return render_template( 23 | 'admin/cursos.html', 24 | cursos=Curso.listar() 25 | ) 26 | 27 | 28 | @admin_bp.route('/cursos/criar', methods=['GET', 'POST']) 29 | @login_required 30 | def cursos_criar(): 31 | curso = {} 32 | erros = [] 33 | if request.method == 'POST': 34 | curso = request.form 35 | erros = Curso.criar( 36 | curso.get('nome'), 37 | curso.get('sigla'), 38 | curso.get('tipo'), 39 | curso.get('descricao'), 40 | curso.get('coordenador'), 41 | int(curso.get('duracao')), 42 | curso.get('diurno') == 'S', 43 | curso.get('noturno') == 'S' 44 | ) 45 | 46 | if len(erros) == 0: 47 | return redirect('/admin/cursos') 48 | 49 | return render_template( 50 | 'admin/cursos_form.html', 51 | curso=curso, 52 | titulo='Novo Curso', 53 | erros=erros 54 | ) 55 | 56 | 57 | @admin_bp.route('/cursos/alterar/', methods=['GET', 'POST']) 58 | @login_required 59 | def cursos_alterar(sigla): 60 | curso = Curso.obter(sigla) 61 | erros = [] 62 | if request.method == 'POST': 63 | curso = request.form 64 | erros = Curso.alterar( 65 | curso.get('nome'), 66 | curso.get('sigla'), 67 | curso.get('tipo'), 68 | curso.get('descricao'), 69 | curso.get('coordenador'), 70 | int(curso.get('duracao')), 71 | curso.get('diurno') == 'S', 72 | curso.get('noturno') == 'S' 73 | ) 74 | 75 | if len(erros) == 0: 76 | return redirect('/admin/cursos') 77 | 78 | return render_template( 79 | 'admin/cursos_form.html', 80 | curso=curso, 81 | titulo=f'Alterar {curso.sigla}', 82 | erros=erros 83 | ) 84 | 85 | 86 | @admin_bp.route('/cursos/remover/', methods=['POST']) 87 | @login_required 88 | def cursos_remover(sigla): 89 | Curso.remover(sigla) 90 | return redirect('/admin/cursos') 91 | 92 | 93 | @admin_bp.route('/cursos/verificar/') 94 | @login_required 95 | def cursos_verificar(sigla): 96 | curso = Curso.obter(sigla) 97 | resultado = {} 98 | if not curso: 99 | resultado['existe'] = False 100 | else: 101 | resultado['existe'] = True 102 | resultado['mensagem'] = f'Sigla {sigla} já em uso' 103 | return jsonify(resultado) 104 | -------------------------------------------------------------------------------- /website/templates/curso.html: -------------------------------------------------------------------------------- 1 | {% extends 'modelo.html' %} 2 | 3 | {% block titulo %} {{curso.nome}} {% endblock %} 4 | 5 | {% block estilos %} 6 | 7 | {% endblock %} 8 | 9 | {% block scripts %} 10 | 11 | {% endblock %} 12 | 13 | {% block conteudo %} 14 |

    {{curso.nome}}

    15 |
    16 |

    Sobre o Curso

    17 | {{curso.descricao|safe}} 18 |
    19 |
    20 |

    Informações

    21 |

    22 | Tipo de Curso: {{curso.tipo}} 23 |

    24 |

    25 | Coordenador: {{curso.coordenador}} 26 |

    27 |
    28 |

    Período

    29 |
      30 | {% if curso.diurno %} 31 |
    1. Matutino | 08h00 às 11h40 |
    2. 32 | {% endif %} 33 | {% if curso.noturno %} 34 |
    3. Noturno | 19h00 às 22h40 |
    4. 35 | {% endif %} 36 |
    37 |

    38 | Duração: {{curso.duracao}} semestres 39 |

    40 |
    41 |
    42 |

    Investimento

    43 | 44 | 45 | 46 | 47 | 48 | 49 | 50 | 51 | {% if curso.diurno %} 52 | 53 | 54 | 57 | 58 | {% endif %} 59 | {% if curso.noturno %} 60 | 61 | 62 | 65 | 66 | {% endif %} 67 | 68 |
    PeríodoInvestimento
    Matutino 55 | De: R$ 744,96 Por: R$707,71 56 |
    Noturno 63 | De: R$ 840,96 Por: R$798,91 64 |
    69 |
    70 |
    71 |
    72 |

    Matriz Curricular

    73 |
      74 | {% for s in range(1,curso.duracao+1) %} 75 |
    • {{s}}º Semestre 76 |
        77 | {% for d in disciplinas %} 78 | {% if d.semestre == s %} 79 |
      • 80 | {{d.nome}}: 81 | {% if d.carga_ead %} 82 | {{d.carga_ead}} horas (EAD) + {{d.carga_presencial}} horas (Presencial) 83 | {% else %} 84 | {{d.carga_presencial}} horas 85 | {% endif %} 86 |
      • 87 | {% endif %} 88 | {% endfor %} 89 |
      90 |
    • 91 | {% endfor %} 92 |
    93 |
    94 | {% endblock %} -------------------------------------------------------------------------------- /database/classes.py: -------------------------------------------------------------------------------- 1 | class Curso(object): 2 | 3 | __dados = [] 4 | 5 | def __init__(self, nome, sigla, tipo, descricao, coordenador, 6 | duracao, diurno, noturno): 7 | self.nome = nome 8 | self.sigla = sigla 9 | self.tipo = tipo 10 | self.descricao = descricao 11 | self.coordenador = coordenador 12 | self.duracao = duracao 13 | self.diurno = diurno 14 | self.noturno = noturno 15 | 16 | def __str__(self): 17 | return f'{self.sigla} - {self.nome}' 18 | 19 | @classmethod 20 | def alterar(cls, nome, sigla, tipo, descricao, coordenador, 21 | duracao, diurno, noturno): 22 | curso = cls(nome, sigla, tipo, descricao, coordenador, 23 | duracao, diurno, noturno) 24 | erros = Curso.__validar(curso, True) 25 | 26 | if len(erros) == 0: 27 | original = Curso.obter(curso.sigla) 28 | original.nome = curso.nome 29 | original.sigla = curso.sigla 30 | original.tipo = curso.tipo 31 | original.descricao = curso.descricao 32 | original.coordenador = curso.coordenador 33 | original.duracao = curso.duracao 34 | original.diurno = curso.diurno 35 | original.noturno = curso.noturno 36 | 37 | return erros 38 | 39 | @classmethod 40 | def criar(cls, nome, sigla, tipo, descricao, coordenador, 41 | duracao, diurno, noturno): 42 | curso = cls(nome, sigla, tipo, descricao, coordenador, 43 | duracao, diurno, noturno) 44 | erros = Curso.__validar(curso) 45 | 46 | if len(erros) == 0: 47 | Curso.__dados.append(curso) 48 | 49 | return erros 50 | 51 | @classmethod 52 | def remover(cls, sigla): 53 | curso = Curso.obter(sigla) 54 | if curso: 55 | Curso.__dados.remove(curso) 56 | 57 | @classmethod 58 | def obter(cls, sigla): 59 | for c in Curso.__dados: 60 | if c.sigla.lower() == sigla.lower(): 61 | return c 62 | 63 | @classmethod 64 | def listar(cls): 65 | return Curso.__dados 66 | 67 | @classmethod 68 | def __validar(cls, curso, alteracao=False): 69 | erros = [] 70 | if not curso.nome: 71 | erros.append('Nome do curso é obrigatório!') 72 | 73 | if not curso.sigla: 74 | erros.append('Sigla do curso é obrigatória!') 75 | elif not alteracao and Curso.obter(curso.sigla): 76 | erros.append(f'A sigla {curso.sigla} já está sendo utilizada!') 77 | 78 | if not curso.tipo: 79 | erros.append('Tipo do curso é obrigatório!') 80 | 81 | return erros 82 | 83 | 84 | class Disciplina(object): 85 | 86 | __dados = [] 87 | 88 | def __init__(self, nome, curso, semestre, carga_presencial, carga_ead): 89 | self.nome = nome 90 | self.curso = curso 91 | self.semestre = semestre 92 | self.carga_presencial = carga_presencial 93 | self.carga_ead = carga_ead 94 | 95 | def __str__(self): 96 | return f'{self.nome}' 97 | 98 | @classmethod 99 | def criar(cls, nome, curso, semestre, carga_presencial, carga_ead): 100 | Disciplina.__dados.append( 101 | cls(nome, curso, semestre, carga_presencial, carga_ead) 102 | ) 103 | 104 | @classmethod 105 | def filtrar(cls, curso_sigla): 106 | return [d 107 | for d in Disciplina.__dados 108 | if d.curso.sigla.lower() == curso_sigla.lower() 109 | ] 110 | 111 | @classmethod 112 | def listar(cls): 113 | return Disciplina.__dados 114 | 115 | 116 | class Premio(object): 117 | 118 | __dados = [] 119 | 120 | def __init__(self, titulo, descricao, curso): 121 | self.titulo = titulo 122 | self.descricao = descricao 123 | self.curso = curso 124 | 125 | def __str__(self): 126 | return f'{self.titulo}' 127 | 128 | @classmethod 129 | def criar(cls, titulo, descricao, curso): 130 | Premio.__dados.append( 131 | cls(titulo, descricao, curso) 132 | ) 133 | 134 | @classmethod 135 | def listar(cls): 136 | return Premio.__dados 137 | 138 | 139 | class Usuario(object): 140 | 141 | __dados = [] 142 | 143 | def __init__(self, usuario, nome, email, senha): 144 | self.usuario = usuario 145 | self.nome = nome 146 | self.email = email 147 | self.senha = senha 148 | 149 | def __str__(self): 150 | return self.nome 151 | 152 | @classmethod 153 | def autenticar(cls, usuario, senha): 154 | usuario = Usuario.obter(usuario) 155 | if usuario and usuario.senha == senha: 156 | return usuario 157 | 158 | @classmethod 159 | def criar(cls, usuario, nome, email, senha): 160 | Usuario.__dados.append( 161 | cls(usuario, nome, email, senha) 162 | ) 163 | 164 | @classmethod 165 | def obter(cls, usuario): 166 | for u in Usuario.__dados: 167 | if u.usuario == usuario: 168 | return u 169 | -------------------------------------------------------------------------------- /static/css/site.css: -------------------------------------------------------------------------------- 1 | :root { 2 | --cor-azul: #116fff; 3 | --cor-branca: #fff; 4 | --cor-cinza-claro: #ededed; 5 | --cor-cinza: #CECECE; 6 | --cor-cinza-escuro: #696969; 7 | --cor-grafite: #39454b; 8 | --cor-escura: #020d13; 9 | --cor-verde: #45a049; 10 | --cor-vermelho-claro: #fcd7d7; 11 | --cor-vermelho: red; 12 | } 13 | 14 | * { 15 | box-sizing: border-box; 16 | } 17 | 18 | body { 19 | background-color: var(--cor-cinza-claro); 20 | font-family: Arial, Helvetica, sans-serif; 21 | font-size: 16px; 22 | margin: 0; 23 | } 24 | 25 | a { 26 | text-decoration: none; 27 | } 28 | 29 | h1, h2, h3, h4, h5, h6 { 30 | color: var(--cor-azul); 31 | } 32 | 33 | h1 { 34 | text-align: center; 35 | } 36 | 37 | /** 38 | * Estilos Cabeçalho 39 | */ 40 | .cabecalho { 41 | background-color: var(--cor-escura); 42 | color: var(--cor-branca); 43 | } 44 | 45 | .navegacao { 46 | align-items: center; 47 | display: flex; 48 | flex-flow: row wrap; 49 | margin: 0 5px; 50 | } 51 | 52 | .logo { 53 | width: 170px; 54 | } 55 | 56 | .item-menu { 57 | color: var(--cor-branca); 58 | display: inline-block; 59 | font-weight: 500; 60 | margin: 0 5px; 61 | } 62 | 63 | .item-menu:hover { 64 | border-bottom: 3px solid yellow; 65 | } 66 | 67 | .dropdown { 68 | position: relative; 69 | display: inline-block; 70 | } 71 | 72 | .dropdown-button { 73 | background: transparent; 74 | border: 0; 75 | color: var(--cor-branca); 76 | cursor: pointer; 77 | font-size: 1rem; 78 | font-weight: 500; 79 | height: 20px; 80 | margin: 0 5px; 81 | padding: 0; 82 | } 83 | 84 | .dropdown-icon { 85 | border: solid var(--cor-branca); 86 | border-width: 0 3px 3px 0; 87 | display: inline-block; 88 | margin-bottom: 2px; 89 | padding: 3px; 90 | transform: rotate(45deg); 91 | } 92 | 93 | .dropdown:hover .dropdown-menu { 94 | display: block; 95 | } 96 | 97 | .dropdown-menu { 98 | background: var(--cor-escura); 99 | display: none; 100 | position: absolute; 101 | width: 300px; 102 | z-index: 1; 103 | } 104 | 105 | .dropdown-menu.ativo { 106 | display: block; 107 | } 108 | 109 | .dropdown-menu .item-menu { 110 | display: block; 111 | margin: 0; 112 | padding: 12px 16px; 113 | } 114 | 115 | .dropdown-menu .item-menu:hover { 116 | background-color: var(--cor-azul); 117 | border-bottom: 0; 118 | } 119 | 120 | .menu-icone { 121 | background-image: url("imagens/bars-icone.png"); 122 | background-size: contain; 123 | /*display: inline-block;*/ 124 | display: none; 125 | height: 32px; 126 | width: 32px; 127 | } 128 | 129 | .acesso.botao { 130 | margin-right: 5px; 131 | margin-left: auto; 132 | } 133 | 134 | @media screen and (max-width: 650px) { 135 | 136 | .navegacao { 137 | display: block; 138 | position: relative; 139 | } 140 | 141 | .dropdown:hover .dropdown-menu { 142 | display: none; 143 | } 144 | 145 | .navegacao.ativo { 146 | padding-bottom: 8px; 147 | } 148 | 149 | .navegacao a:not(:first-child):not(.menu-icone), .navegacao .dropdown { 150 | display: none; 151 | } 152 | 153 | .navegacao.ativo a:not(:first-child):not(.menu-icone) { 154 | display: block; 155 | padding: 8px 8px; 156 | } 157 | 158 | .navegacao.ativo .dropdown { 159 | display: block; 160 | padding: 5px 8px; 161 | } 162 | 163 | .navegacao.ativo .dropdown-menu.ativo { 164 | position: relative; 165 | display: block; 166 | width: 100%; 167 | } 168 | 169 | .navegacao.ativo .dropdown-menu .item-menu { 170 | background-color: var(--cor-grafite); 171 | display: block; 172 | padding: 5px 8px; 173 | } 174 | 175 | .navegacao.ativo .dropdown-menu .item-menu:not(:last-child){ 176 | border-bottom: 1px solid var(--cor-cinza-claro); 177 | } 178 | 179 | .navegacao.ativo .dropdown-btn { 180 | display: block; 181 | width: 100%; 182 | text-align: left; 183 | } 184 | 185 | .navegacao.ativo .acesso.botao { 186 | display: block; 187 | width: 6em; 188 | text-align: center; 189 | margin: 5px auto; 190 | } 191 | 192 | .menu-icone { 193 | display: block; 194 | position: absolute; 195 | right: 8px; 196 | top: 10px; 197 | } 198 | 199 | } 200 | 201 | main { 202 | margin-bottom: 10px; 203 | margin-left: auto; 204 | margin-right: auto; 205 | padding: 0 15px; 206 | } 207 | 208 | /** 209 | * Estilos Rodapé 210 | */ 211 | .rodape { 212 | background-color: var(--cor-cinza-escuro); 213 | color: var(--cor-branca); 214 | text-align: center; 215 | padding: 10px 0; 216 | } 217 | 218 | .rodape p { 219 | margin: 0; 220 | } 221 | 222 | .media-list { 223 | list-style: none; 224 | } 225 | 226 | .media-list li { 227 | display: inline-block; 228 | } 229 | 230 | .media-link { 231 | background-repeat: no-repeat; 232 | background-size: contain; 233 | color: var(--cor-branca); 234 | display: block; 235 | height: 16px; 236 | text-indent: -9999px; 237 | width: 16px 238 | } 239 | 240 | .media-link.facebook { background-image: url("imagens/facebook-3-64.png"); } 241 | .media-link.linkedin { background-image: url("imagens/linkedin-3-64.png"); } 242 | .media-link.instagram { background-image: url("imagens/instagram-64.png"); } 243 | .media-link.twitter { background-image: url("imagens/twitter-3-64.png"); } 244 | .media-link.youtube { background-image: url("imagens/youtube-64.png"); } 245 | 246 | /** 247 | * Estilos de Botões 248 | */ 249 | .botao { 250 | background-color: var(--cor-azul); 251 | border: 1px solid var(--cor-azul); 252 | border-radius: 16px; 253 | color: var(--cor-branca); 254 | cursor: pointer; 255 | font-weight: 800; 256 | padding: 8px 12px; 257 | margin-left: 5px; 258 | margin-right: 5px; 259 | } 260 | 261 | .botao.enviar { 262 | background-color: var(--cor-verde); 263 | border: 1px solid var(--cor-verde); 264 | } 265 | 266 | .botao.limpar { 267 | background-color: var(--cor-vermelho); 268 | border: 1px solid var(--cor-vermelho); 269 | } -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | -------------------------------------------------------------------------------- /database/dados.json: -------------------------------------------------------------------------------- 1 | { 2 | "cursos": [ 3 | { 4 | "nome": "Análise e Desenvolvimento e Sistemas", 5 | "sigla": "ADS", 6 | "tipo": "Tecnólogo", 7 | "descricao": "

    O curso de Análise e Desenvolvimento de Sistemas da Faculdade Impacta foi reconhecido pelo ENADE/MEC como um dos melhores da cidade de São Paulo.

    Com a transformação digital e a área de tecnologia sempre em alta, o curso forma um profissional que possa se envolver em todas as etapas do projeto de sistemas de software, desde concepção, análise, projeto, teste, gestão, implantação e manutenção de sistemas de informação.

    Atualmente, as carreiras mais demandadas pelo mercado de trabalho são para desenvolvedor web, mobile e a Internet das Coisas (IoT), além de profissionais com conhecimento em DevOps (Ambiente de Operação e Desenvolvimento).

    O profissional de DevOps precisa ter habilidades para fundir desenvolvimento e implantação de aplicativos em um processo automatizado, de entrega contínua, em que as responsabilidades são compartilhadas entre equipe de operação e equipe de desenvolvimento, facilitando o desenvolvimento, integração, entrega, processos de monitoramento contínuos de software e a gestão da infraestrutura de TI.

    Para o trabalho do profissional de desenvolvimento web, mobile e IOT, aprende-se a programar em linguagens de programação ou marcação, tais como: HTML, CSS, Javascript e Python, assim como frameworks relacionados e banco de dados com SQL, para criação de aplicativos para sites, aplicativos móveis e IoT.

    Os desenvolvedores precisam ainda entender os requisitos de negócio do cliente e fornecer recomendações para melhorar os aplicativos ou sistemas de software, a fim de garantir que atendam às necessidades dos usuários ou clientes.

    Esses diferenciais na formação de habilidades e competências do nosso curso permitem aos alunos trabalharem em empresas das mais variadas áreas de aplicações, ocupando carreiras como de analista de sistemas, analista de requisitos, analista de negócio, desenvolvedor web, mobile ou IoT e DevOps, analista de teste e gerente de projeto.

    ", 8 | "coordenador": "Ana Cristina dos Santos", 9 | "duracao": 5, 10 | "diurno": true, 11 | "noturno": true 12 | }, { 13 | "nome": "Banco de Dados", 14 | "sigla": "BD", 15 | "tipo": "Tecnólogo", 16 | "descricao": "

    O curso superior de tecnólogo em Banco de Dados tem conceito 4 na avaliação pelo MEC.

    Um estudo recente conduzidonos EUA mostra que Big Data Analytics vai gerar 10 milhões de oportunidades de trabalho em todo o mundo na próxima década, ou seja, as profissões na área de Big Data e Data Science são muito desafiadoras e com demanda crescente. Você já considerou construir sua carreira nessa área?

    O nosso curso torna o aluno apto a propor aplicações inteligentes e análise de Big Data para resolver desafios de negócios a partir dos grandes volumes de dados disponíveis, a fim de auxiliar nos aspectos decisórios administrativos, gerenciais e financeiros de uma empresa.

    O aluno desenvolve habilidade com técnicas estatísticas e mineração de dados, conhecimento de linguagem de programação com foco em aprendizado de máquina ou machine learning, experiência em trabalhar com grandes volumes de dados, assim como técnicas de modelagem de dados e administração e segurança dos dados.

    Entre as funções oferecidas no mercado, estão gerente de sistemas de banco de dados, desenvolvedor de projetos e consultor de banco de dados, analista de Business Intelligence, analista de dados, analista de Big Data, gerente de Analytics, engenheiro de dados, engenheiro de Big Data, gerente de segurança de dados, administrador de banco de dados e analista de sistemas de apoio à decisão. Essas são as carreiras com maior remuneração do mercado.

    ", 17 | "coordenador": "Ana Cristina dos Santos", 18 | "duracao": 5, 19 | "diurno": false, 20 | "noturno": true 21 | }, { 22 | "nome": "Gestão da Tecnologia da Informação", 23 | "sigla": "GTI", 24 | "tipo": "Tecnólogo", 25 | "descricao": "

    As tecnologias estão em toda parte. Órgãos públicos,privados e não governamentais precisam das Tecnologias de Informação.Assim, a aquisição, manutenção e evolução dessas tecnologias dependem nãosó de profissionais técnicos, mas de profissionais que consigam combinar diversos talentos pertencentes a diversas áreas.

    Dentro desta realidade, os profissionais formados em Gestão da TI terão as seguintes competências:

    • Agregar valor aos negócios, atuando como elemento catalizador para a integração do negócio e TI.
    • Elaborar, defender e conduzir projetos e programas de TI que possam agregar valor aos negócios.
    • Manter a TI como recurso eficaz e eficiente para atender as necessidades e objetivos das organizações.
    • Valorizar e defender o emprego de padrões e processos na área de TI, assim como o Agile Mindset dos profissionais que atuam nessa área.
    ", 26 | "coordenador": "Osvaldo Kotaro Takai", 27 | "duracao": 5, 28 | "diurno": false, 29 | "noturno": true 30 | }, { 31 | "nome": "Sistemas da Informação", 32 | "sigla": "SI", 33 | "tipo": "Bacharelado", 34 | "descricao": "

    A graduação de Sistemas de Informação visa formar empreendedores, profissionais e pesquisadores focados na construção, manutenção e evolução dos sistemas computacionais de apoio às organizações.

    O perfil empreendedor é alcançado a partir da criação de startups e produtos inovadores durante os quatro semestres finais do curso.

    Já o perfil profissional é alcançado a partir da capacidade de entender e analisar problemas reais e desenvolver soluções pragmáticas com o uso de tecnologias de melhor custo-benefício.

    O constante envolvimento do aluno na solução de problemas impulsiona o perfil investigativo, não apenas como um pesquisador intuitivo, mas, sobretudo, como conhecedor de processos e métodos para a realização de pesquisas científicas.

    O grande diferencial deste curso está na estrutura curricular: nos quatro primeiros semestres o aluno aprende a 'saber fazer', ou seja, o aluno aprende a analisar problemas e criar soluções com o uso das tecnologias da informação. Isso permite que ele receba no meio da graduação o diploma de Análise e Desenvolvimento de Sistemas.

    Nos quatro semestres finais, o aluno aprende a 'inovar', ou seja, aprende a utilizar a sua capacidade de 'saber fazer' para construir produtos ou serviços evolucionários, revolucionários, ou até, disruptivos dentro de suas próprias startups.

    ", 35 | "coordenador": "Osvaldo Kotaro Takai", 36 | "duracao": 8, 37 | "diurno": true, 38 | "noturno": true 39 | } 40 | ], 41 | "disciplinas":[ 42 | { 43 | "nome": "Fundamentos de Banco de Dados", 44 | "presencial": "80", 45 | "ead": null, 46 | "curso": "ADS", 47 | "semestre": 1 48 | }, 49 | { 50 | "nome": "Linguaguem de Programação", 51 | "presencial": "80", 52 | "ead": null, 53 | "curso": "ADS", 54 | "semestre": 1 55 | }, 56 | { 57 | "nome": "Lógica de Programação", 58 | "presencial": "80", 59 | "ead": null, 60 | "curso": "ADS", 61 | "semestre": 1 62 | }, 63 | { 64 | "nome": "Matemática Aplicada", 65 | "presencial": "40", 66 | "ead": "40", 67 | "curso": "ADS", 68 | "semestre": 1 69 | }, 70 | { 71 | "nome": "Soft Skills", 72 | "presencial": "40", 73 | "ead": "40", 74 | "curso": "ADS", 75 | "semestre": 1 76 | }, 77 | { 78 | "nome": "Ambientes Operacionais", 79 | "presencial": "40", 80 | "ead": "40", 81 | "curso": "ADS", 82 | "semestre": 2 83 | }, 84 | { 85 | "nome": "Desenvolvimento Web", 86 | "presencial": "80", 87 | "ead": null, 88 | "curso": "ADS", 89 | "semestre": 2 90 | }, 91 | { 92 | "nome": "Engenharia de Software", 93 | "presencial": "40", 94 | "ead": "40", 95 | "curso": "ADS", 96 | "semestre": 2 97 | }, 98 | { 99 | "nome": "Linguagem SQL", 100 | "presencial": "80", 101 | "ead": null, 102 | "curso": "ADS", 103 | "semestre": 2 104 | }, 105 | { 106 | "nome": "Programação Orientada a Objetos", 107 | "presencial": "80", 108 | "ead": null, 109 | "curso": "ADS", 110 | "semestre": 2 111 | }, 112 | { 113 | "nome": "Ambiente de Desenvolvimento e Operação - DevOps", 114 | "presencial": "80", 115 | "ead": null, 116 | "curso": "ADS", 117 | "semestre": 3 118 | }, 119 | { 120 | "nome": "Desenvolvimento com Automação Robótica de Processos - RPA", 121 | "presencial": "80", 122 | "ead": null, 123 | "curso": "ADS", 124 | "semestre": 3 125 | }, 126 | { 127 | "nome": "Desenvolvimento de APIs e Microserviços", 128 | "presencial": "40", 129 | "ead": "40", 130 | "curso": "ADS", 131 | "semestre": 3 132 | }, 133 | { 134 | "nome": "Desenvolvimento Mobile", 135 | "presencial": "80", 136 | "ead": null, 137 | "curso": "ADS", 138 | "semestre": 3 139 | }, 140 | { 141 | "nome": "Engenharia de Requisitos", 142 | "presencial": "40", 143 | "ead": "40", 144 | "curso": "ADS", 145 | "semestre": 3 146 | }, 147 | { 148 | "nome": "Análise e Modelagem de Sistemas", 149 | "presencial": "80", 150 | "ead": null, 151 | "curso": "ADS", 152 | "semestre": 4 153 | }, 154 | { 155 | "nome": "Frameworks Full Stack", 156 | "presencial": "80", 157 | "ead": null, 158 | "curso": "ADS", 159 | "semestre": 4 160 | }, 161 | { 162 | "nome": "Quality Assurance - QA", 163 | "presencial": "80", 164 | "ead": null, 165 | "curso": "ADS", 166 | "semestre": 4 167 | }, 168 | { 169 | "nome": "UX & Design Thinking", 170 | "presencial": "40", 171 | "ead": "40", 172 | "curso": "ADS", 173 | "semestre": 4 174 | }, 175 | { 176 | "nome": "Análise Exploratória de Dados", 177 | "presencial": "80", 178 | "ead": null, 179 | "curso": "ADS", 180 | "semestre": 5 181 | }, 182 | { 183 | "nome": "Automação de Testes de Software", 184 | "presencial": "40", 185 | "ead": "40", 186 | "curso": "ADS", 187 | "semestre": 5 188 | }, 189 | { 190 | "nome": "Business Agility", 191 | "presencial": "80", 192 | "ead": null, 193 | "curso": "ADS", 194 | "semestre": 5 195 | }, 196 | { 197 | "nome": "Cibersecurity", 198 | "presencial": "80", 199 | "ead": null, 200 | "curso": "ADS", 201 | "semestre": 5 202 | }, 203 | { 204 | "nome": "Software Product: Project & Implementation", 205 | "presencial": "40", 206 | "ead": "40", 207 | "curso": "ADS", 208 | "semestre": 5 209 | }, 210 | { 211 | "nome": "Fundamentos de Banco de Dados", 212 | "presencial": "80", 213 | "ead": null, 214 | "curso": "BD", 215 | "semestre": 1 216 | }, 217 | { 218 | "nome": "Linguaguem de Programação", 219 | "presencial": "80", 220 | "ead": null, 221 | "curso": "BD", 222 | "semestre": 1 223 | }, 224 | { 225 | "nome": "Lógica de Programação", 226 | "presencial": "80", 227 | "ead": null, 228 | "curso": "BD", 229 | "semestre": 1 230 | }, 231 | { 232 | "nome": "Matemática Aplicada", 233 | "presencial": "40", 234 | "ead": "40", 235 | "curso": "BD", 236 | "semestre": 1 237 | }, 238 | { 239 | "nome": "Soft Skills", 240 | "presencial": "40", 241 | "ead": "40", 242 | "curso": "BD", 243 | "semestre": 1 244 | }, 245 | { 246 | "nome": "Ambientes Operacionais", 247 | "presencial": "40", 248 | "ead": "40", 249 | "curso": "BD", 250 | "semestre": 2 251 | }, 252 | { 253 | "nome": "Análise Exploratória de Dados", 254 | "presencial": "80", 255 | "ead": null, 256 | "curso": "BD", 257 | "semestre": 2 258 | }, 259 | { 260 | "nome": "Desenvolvimento Web", 261 | "presencial": "80", 262 | "ead": null, 263 | "curso": "BD", 264 | "semestre": 2 265 | }, 266 | { 267 | "nome": "Engenharia de Dados", 268 | "presencial": "40", 269 | "ead": "40", 270 | "curso": "BD", 271 | "semestre": 2 272 | }, 273 | { 274 | "nome": "Linguagem SQL", 275 | "presencial": "80", 276 | "ead": null, 277 | "curso": "BD", 278 | "semestre": 2 279 | }, 280 | { 281 | "nome": "Ambiente de Dados e Operação - DataOps", 282 | "presencial": "40", 283 | "ead": "40", 284 | "curso": "BD", 285 | "semestre": 3 286 | }, 287 | { 288 | "nome": "Business Intelligence", 289 | "presencial": "40", 290 | "ead": "40", 291 | "curso": "BD", 292 | "semestre": 3 293 | }, 294 | { 295 | "nome": "Estrutura de Dados", 296 | "presencial": "80", 297 | "ead": null, 298 | "curso": "BD", 299 | "semestre": 3 300 | }, 301 | { 302 | "nome": "Data Analytics", 303 | "presencial": "80", 304 | "ead": null, 305 | "curso": "BD", 306 | "semestre": 3 307 | }, 308 | { 309 | "nome": "Database Development", 310 | "presencial": "80", 311 | "ead": null, 312 | "curso": "BD", 313 | "semestre": 3 314 | }, 315 | { 316 | "nome": "Big Data", 317 | "presencial": "40", 318 | "ead": "40", 319 | "curso": "BD", 320 | "semestre": 4 321 | }, 322 | { 323 | "nome": "Data Project - Discovery & Preparation", 324 | "presencial": "40", 325 | "ead": "40", 326 | "curso": "BD", 327 | "semestre": 4 328 | }, 329 | { 330 | "nome": "Data Science", 331 | "presencial": "80", 332 | "ead": null, 333 | "curso": "BD", 334 | "semestre": 4 335 | }, 336 | { 337 | "nome": "Data Storytelling", 338 | "presencial": "80", 339 | "ead": null, 340 | "curso": "BD", 341 | "semestre": 4 342 | }, 343 | { 344 | "nome": "UX & Database Administration", 345 | "presencial": "80", 346 | "ead": null, 347 | "curso": "BD", 348 | "semestre": 4 349 | }, 350 | { 351 | "nome": "Artificial Intelligence", 352 | "presencial": "80", 353 | "ead": null, 354 | "curso": "BD", 355 | "semestre": 5 356 | }, 357 | { 358 | "nome": "Data Project - Modeling & Implementation", 359 | "presencial": "40", 360 | "ead": "40", 361 | "curso": "BD", 362 | "semestre": 5 363 | }, 364 | { 365 | "nome": "Database Security", 366 | "presencial": "80", 367 | "ead": null, 368 | "curso": "BD", 369 | "semestre": 5 370 | }, 371 | { 372 | "nome": "Governança de Dados", 373 | "presencial": "80", 374 | "ead": null, 375 | "curso": "BD", 376 | "semestre": 5 377 | }, 378 | { 379 | "nome": "SQL Databases", 380 | "presencial": "40", 381 | "ead": "40", 382 | "curso": "BD", 383 | "semestre": 5 384 | }, 385 | { 386 | "nome": "Fundamentos de Banco de Dados", 387 | "presencial": "80", 388 | "ead": null, 389 | "curso": "GTI", 390 | "semestre": 1 391 | }, 392 | { 393 | "nome": "Linguaguem de Programação", 394 | "presencial": "80", 395 | "ead": null, 396 | "curso": "GTI", 397 | "semestre": 1 398 | }, 399 | { 400 | "nome": "Lógica de Programação", 401 | "presencial": "80", 402 | "ead": null, 403 | "curso": "GTI", 404 | "semestre": 1 405 | }, 406 | { 407 | "nome": "Matemática Aplicada", 408 | "presencial": "40", 409 | "ead": "40", 410 | "curso": "GTI", 411 | "semestre": 1 412 | }, 413 | { 414 | "nome": "Soft Skills", 415 | "presencial": "40", 416 | "ead": "40", 417 | "curso": "GTI", 418 | "semestre": 1 419 | }, 420 | { 421 | "nome": "Ambientes Operacionais", 422 | "presencial": "40", 423 | "ead": "40", 424 | "curso": "GTI", 425 | "semestre": 2 426 | }, 427 | { 428 | "nome": "Análise Exploratória de Dados", 429 | "presencial": "80", 430 | "ead": null, 431 | "curso": "GTI", 432 | "semestre": 2 433 | }, 434 | { 435 | "nome": "Business Agility", 436 | "presencial": "80", 437 | "ead": null, 438 | "curso": "GTI", 439 | "semestre": 2 440 | }, 441 | { 442 | "nome": "Engenharia de Software", 443 | "presencial": "40", 444 | "ead": "40", 445 | "curso": "GTI", 446 | "semestre": 2 447 | }, 448 | { 449 | "nome": "Sistema Integrados de Gestão", 450 | "presencial": "80", 451 | "ead": null, 452 | "curso": "GTI", 453 | "semestre": 2 454 | }, 455 | { 456 | "nome": "Ambiente de Desenvolvimento e Operação - DevOps", 457 | "presencial": "80", 458 | "ead": null, 459 | "curso": "GTI", 460 | "semestre": 3 461 | }, 462 | { 463 | "nome": "Análise e Viabilidade de Projetos", 464 | "presencial": "40", 465 | "ead": "40", 466 | "curso": "GTI", 467 | "semestre": 3 468 | }, 469 | { 470 | "nome": "Desenvolvimento com Automação Robótica de Processos - RPA", 471 | "presencial": "80", 472 | "ead": null, 473 | "curso": "GTI", 474 | "semestre": 3 475 | }, 476 | { 477 | "nome": "Gestão de Projetos de TI", 478 | "presencial": "80", 479 | "ead": null, 480 | "curso": "GTI", 481 | "semestre": 3 482 | }, 483 | { 484 | "nome": "Modelagem de Processos de Negócio", 485 | "presencial": "40", 486 | "ead": "40", 487 | "curso": "GTI", 488 | "semestre": 3 489 | }, 490 | { 491 | "nome": "Gestão da Qualidade", 492 | "presencial": "40", 493 | "ead": "40", 494 | "curso": "GTI", 495 | "semestre": 4 496 | }, 497 | { 498 | "nome": "Gestão de Infraestrutura de TI", 499 | "presencial": "80", 500 | "ead": null, 501 | "curso": "GTI", 502 | "semestre": 4 503 | }, 504 | { 505 | "nome": "Gestão Estratégica de Pessoas", 506 | "presencial": "80", 507 | "ead": null, 508 | "curso": "GTI", 509 | "semestre": 4 510 | }, 511 | { 512 | "nome": "Inteligência de Negócios", 513 | "presencial": "80", 514 | "ead": null, 515 | "curso": "GTI", 516 | "semestre": 4 517 | }, 518 | { 519 | "nome": "UX & Design Thinking", 520 | "presencial": "40", 521 | "ead": "40", 522 | "curso": "GTI", 523 | "semestre": 4 524 | }, 525 | { 526 | "nome": "Gestão da Segurança da Informação", 527 | "presencial": "80", 528 | "ead": null, 529 | "curso": "GTI", 530 | "semestre": 5 531 | }, 532 | { 533 | "nome": "Gestão de Projetos de Inovação", 534 | "presencial": "40", 535 | "ead": "40", 536 | "curso": "GTI", 537 | "semestre": 5 538 | }, 539 | { 540 | "nome": "Gestão Estratégica de TI", 541 | "presencial": "80", 542 | "ead": null, 543 | "curso": "GTI", 544 | "semestre": 5 545 | }, 546 | { 547 | "nome": "Governança de TI", 548 | "presencial": "80", 549 | "ead": null, 550 | "curso": "GTI", 551 | "semestre": 5 552 | }, 553 | { 554 | "nome": "Management Project - Diagnosis and Solution Strategy", 555 | "presencial": "40", 556 | "ead": "40", 557 | "curso": "GTI", 558 | "semestre": 5 559 | }, 560 | { 561 | "nome": "Fundamentos de Banco de Dados", 562 | "presencial": "80", 563 | "ead": null, 564 | "curso": "SI", 565 | "semestre": 1 566 | }, 567 | { 568 | "nome": "Linguaguem de Programação", 569 | "presencial": "80", 570 | "ead": null, 571 | "curso": "SI", 572 | "semestre": 1 573 | }, 574 | { 575 | "nome": "Lógica de Programação", 576 | "presencial": "80", 577 | "ead": null, 578 | "curso": "SI", 579 | "semestre": 1 580 | }, 581 | { 582 | "nome": "Matemática Aplicada", 583 | "presencial": "40", 584 | "ead": "40", 585 | "curso": "SI", 586 | "semestre": 1 587 | }, 588 | { 589 | "nome": "Soft Skills", 590 | "presencial": "40", 591 | "ead": "40", 592 | "curso": "SI", 593 | "semestre": 1 594 | }, 595 | { 596 | "nome": "Ambientes Operacionais", 597 | "presencial": "40", 598 | "ead": "40", 599 | "curso": "SI", 600 | "semestre": 2 601 | }, 602 | { 603 | "nome": "Desenvolvimento Web", 604 | "presencial": "80", 605 | "ead": null, 606 | "curso": "SI", 607 | "semestre": 2 608 | }, 609 | { 610 | "nome": "Engenharia de Software", 611 | "presencial": "40", 612 | "ead": "40", 613 | "curso": "SI", 614 | "semestre": 2 615 | }, 616 | { 617 | "nome": "Linguagem SQL", 618 | "presencial": "80", 619 | "ead": null, 620 | "curso": "SI", 621 | "semestre": 2 622 | }, 623 | { 624 | "nome": "Programação Orientada a Objetos", 625 | "presencial": "80", 626 | "ead": null, 627 | "curso": "SI", 628 | "semestre": 2 629 | }, 630 | { 631 | "nome": "Ambiente de Desenvolvimento e Operação - DevOps", 632 | "presencial": "80", 633 | "ead": null, 634 | "curso": "SI", 635 | "semestre": 3 636 | }, 637 | { 638 | "nome": "Desenvolvimento com Automação Robótica de Processos - RPA", 639 | "presencial": "80", 640 | "ead": null, 641 | "curso": "SI", 642 | "semestre": 3 643 | }, 644 | { 645 | "nome": "Desenvolvimento de APIs e Microserviços", 646 | "presencial": "40", 647 | "ead": "40", 648 | "curso": "SI", 649 | "semestre": 3 650 | }, 651 | { 652 | "nome": "Desenvolvimento Mobile", 653 | "presencial": "80", 654 | "ead": null, 655 | "curso": "SI", 656 | "semestre": 3 657 | }, 658 | { 659 | "nome": "Engenharia de Requisitos", 660 | "presencial": "40", 661 | "ead": "40", 662 | "curso": "SI", 663 | "semestre": 3 664 | }, 665 | { 666 | "nome": "Análise e Modelagem de Sistemas", 667 | "presencial": "80", 668 | "ead": null, 669 | "curso": "SI", 670 | "semestre": 4 671 | }, 672 | { 673 | "nome": "UX & Design Thinking", 674 | "presencial": "40", 675 | "ead": "40", 676 | "curso": "SI", 677 | "semestre": 4 678 | }, 679 | { 680 | "nome": "Frameworks Full Stack", 681 | "presencial": "80", 682 | "ead": null, 683 | "curso": "SI", 684 | "semestre": 4 685 | }, 686 | { 687 | "nome": "Quality Assurance - QA", 688 | "presencial": "80", 689 | "ead": null, 690 | "curso": "SI", 691 | "semestre": 4 692 | }, 693 | { 694 | "nome": "Teoria da Computação", 695 | "presencial": "40", 696 | "ead": "40", 697 | "curso": "SI", 698 | "semestre": 4 699 | }, 700 | { 701 | "nome": "Análise Exploratória de Dados", 702 | "presencial": "80", 703 | "ead": null, 704 | "curso": "SI", 705 | "semestre": 5 706 | }, 707 | { 708 | "nome": "Desenvolvimento de Sistemas de Informação", 709 | "presencial": "80", 710 | "ead": null, 711 | "curso": "SI", 712 | "semestre": 5 713 | }, 714 | { 715 | "nome": "Startup e Inovação", 716 | "presencial": "40", 717 | "ead": "40", 718 | "curso": "SI", 719 | "semestre": 5 720 | }, 721 | { 722 | "nome": "Automação de Testes de Software", 723 | "presencial": "40", 724 | "ead": "40", 725 | "curso": "SI", 726 | "semestre": 5 727 | }, 728 | { 729 | "nome": "Estágio Supervisionado I", 730 | "presencial": "80", 731 | "ead": null, 732 | "curso": "SI", 733 | "semestre": 5 734 | }, 735 | { 736 | "nome": "Análise de Viabilidade de Projetos", 737 | "presencial": "40", 738 | "ead": "40", 739 | "curso": "SI", 740 | "semestre": 6 741 | }, 742 | { 743 | "nome": "Integração e Desenvolvimento de Sistemas", 744 | "presencial": "80", 745 | "ead": null, 746 | "curso": "SI", 747 | "semestre": 6 748 | }, 749 | { 750 | "nome": "Inteligência de Negócio", 751 | "presencial": "80", 752 | "ead": null, 753 | "curso": "SI", 754 | "semestre": 6 755 | }, 756 | { 757 | "nome": "Segurança e Auditoria de Sistemas", 758 | "presencial": "40", 759 | "ead": "40", 760 | "curso": "SI", 761 | "semestre": 6 762 | }, 763 | { 764 | "nome": "Estágio Supervisionado II", 765 | "presencial": "80", 766 | "ead": null, 767 | "curso": "SI", 768 | "semestre": 6 769 | }, 770 | { 771 | "nome": "Computação Cognitiva", 772 | "presencial": "80", 773 | "ead": null, 774 | "curso": "SI", 775 | "semestre": 7 776 | }, 777 | { 778 | "nome": "Sistemas Integrados de Gestão", 779 | "presencial": "80", 780 | "ead": null, 781 | "curso": "SI", 782 | "semestre": 7 783 | }, 784 | { 785 | "nome": "Gestão de Infraestrutura de TI", 786 | "presencial": "80", 787 | "ead": null, 788 | "curso": "SI", 789 | "semestre": 7 790 | }, 791 | { 792 | "nome": "Trabalho de Graduação de SI - I", 793 | "presencial": "80", 794 | "ead": "80", 795 | "curso": "SI", 796 | "semestre": 7 797 | }, 798 | { 799 | "nome": "Estágio Supervisionado III", 800 | "presencial": "80", 801 | "ead": null, 802 | "curso": "SI", 803 | "semestre": 7 804 | }, 805 | { 806 | "nome": "Gestão de Projetos de TI", 807 | "presencial": "80", 808 | "ead": null, 809 | "curso": "SI", 810 | "semestre": 8 811 | }, 812 | { 813 | "nome": "Governança Corporativa", 814 | "presencial": "80", 815 | "ead": null, 816 | "curso": "SI", 817 | "semestre": 8 818 | }, 819 | { 820 | "nome": "Trabalho de Graduação de SI - II", 821 | "presencial": "80", 822 | "ead": "80", 823 | "curso": "SI", 824 | "semestre": 8 825 | }, 826 | { 827 | "nome": "Estágio Supervisionado IV", 828 | "presencial": "80", 829 | "ead": null, 830 | "curso": "SI", 831 | "semestre": 8 832 | } 833 | ], 834 | "premios":[ 835 | { 836 | "titulo": "Top 10 ENADE/MEC SP", 837 | "descricao": "

    Nota 4 na avaliação do MEC – 10.ª maior nota entre as faculdades privadas da cidade de São Paulo.

    3 estrelas na avaliação realizada pelo Guia do Estudante, da Editora Abril, que seleciona os melhores cursos para os estudantes que estão se preparando para o vestibular.

    Destaque no portal da Revista Exame como o curso que está entre os melhores do Brasil. (06/2017)

    ", 838 | "curso": "BD" 839 | }, 840 | { 841 | "titulo": "Maior Nota ENADE SP", 842 | "descricao": "

    Nota 4 na avaliação do ENADE/MEC - 1.º melhor curso da cidade de São Paulo.

    ", 843 | "curso": "ADS" 844 | }, 845 | { 846 | "titulo": "Top 4 ENADE/MEC SP", 847 | "descricao": "

    Nota 3 na avaliação do ENADE/MEC - 4.º melhor curso da cidade de São Paulo.

    ", 848 | "curso": "GTI" 849 | }, 850 | { 851 | "titulo": "Top 3 ENADE/MEC SP", 852 | "descricao": "

    Nota 4 na avaliação do ENADE/MEC - 3.º melhor curso da cidade de São Paulo.

    ", 853 | "curso": "SI" 854 | } 855 | ], 856 | "usuarios":[ 857 | { 858 | "nome": "Administrador", 859 | "email": "admin@fit.com.br", 860 | "usuario": "admin", 861 | "senha": "admin123" 862 | }, 863 | { 864 | "nome": "Usuário Comum", 865 | "email": "usuario@fit.com.br", 866 | "usuario": "usuario", 867 | "senha": "usuario123" 868 | } 869 | ] 870 | } --------------------------------------------------------------------------------