COMPUTAÇÃO E PROGRAMAÇÃO

Tamanho: px
Começar a partir da página:

Download "COMPUTAÇÃO E PROGRAMAÇÃO"

Transcrição

1 COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2015/2016 MEMec, LEAN Ficha da Aula Prática 6: Cadeias de caracteres (strings). Estruturas de dados (structures). Sumário das tarefas e objectivos da aula: 1. Utilizar as funções pré-definidas que realizam processamento de strings. 2. Criar e utilizar estruturas com informação organizada por campos. 3. Criar e utilizar vectores de estruturas. NOTA 1: Durante a resolução dos exercícios deverá consultar as apresentações das aulas teóricas, e/ou o livro de apoio da disciplina. NOTA 2: antes de começar cada aula deve-se mudar a directoria de trabalho para uma directoria na pen-drive do aluno, isto garante que o aluno ficará com todos os ficheiros que sejam eventualmente criados durante a aula. Exercícios a resolver na aula Docente Alunos (recomendados) Alunos 1.2, 1.18, , Challenge Computação e Programação, LEAN, MEMec 1

2 1. Exercícios sobre cadeias de caracteres (strings) 2. Write a function that will receive a name and department as separate strings and will create and return a code consisting of the first two letters of the name and the last two letters of the department. The code should be uppercase letters. For exemple: >> namedept('robert','mechanical') ROAL 8. Write a script that will generate a random integer, ask the user for a field width, and print the random integer with the specified field width. The script will use sprintf to create a string such as 'The # is %4d\n' (if, for example, the user entered 4 for the field width), which is then passed to the fprintf function. In order to print (or create a string using sprintf) either the % or \ character, there must be two of them in a row. 11. The functions that label the x and y axes and title on a plot expect string arguments. These arguments can be string variables. Write a script that will prompt the user for an integer n, then create an x vector with integer values from 1 to n, a y vector that is x^2, and then plot with a title that says x^2 with n values where the value of n is actually in the title. 16. Either in a script or in the Command Window, create a string variable that stores a string in which numbers are separated by the character +, for example Create a vector of the numbers, and then get the sum (e.g., for the example given it would be 62 but the solution should be general). 18. In cryptography, the intended message sometimes consists of the first letter of every word in a string. Write a function crypt that will receive a string with the encrypted message and return the message. >> estring = 'The early songbird tweets'; >> m = crypt(estring) m = Test 20. Words in a sentence variable (just a string variable) called mysent are separated by / s instead of blank spaces. For example, mysent might have this value: 'This/is/not/quite/right'. Write a function slashtoblank that will receive a string in this form and will return a string in which the words are separated by blank spaces. This should be general and work regardless of the value of the argument. No loops are allowed in this function; the built-in string function(s) must be used. >> mysent = 'This/is/not/quite/right'; >> newsent = slashtoblank(mysent) newsent = This is not quite right 22. A filename is supposed to be in the form filename.ext. Write a function that will determine whether a string is in the form of a name followed by a dot followed by a three-character extension, or not. The function should return 1 for logical true if it is in that form, or 0 for false if not. Computação e Programação, LEAN, MEMec 2

3 26. Using the functions char and double, you can shift words. For example, you can convert from lowercase to uppercase by subtracting 32 from the character codes: >> orig = 'ape'; >> new = char(double(orig)-32) new = APE >> char(double(new)+32) ape We ve encrypted a string by altering the character codes. Figure out the original string. Try adding and subtracting different values (do this in a loop) until you decipher it: Jmkyvih$mx$syx$}ixC 2. Exercícios sobre estruturas de dados (structures) 11. Write the code in MATLAB that would create the following data structure, and put the following values into the variable: experiments num code weights Computação e Programação, LEAN, MEMec 3 feet inches 1 33 x t The variable is called experiments, which is a vector of structs. Each struct has four fields: num, code, weights, and. The field num is an integer, code is a character, weights is a vector with two values (both of which are double values), and is a struct with fields feet and inches (both of which are integers). Write the statements that would accomplish this, so that typing the following expressions in MATLAB would give the results shown: >> experiments experiments = 1x2 struct array with fields: num code weights >> experiments(2) num: 11 code: 't' weights: [ ] : [1x1 struct]

4 >> experiments(1). feet: 5 inches: 6 9. A complex number is a number of the form a + ib, where a is called the real part, b is called the imaginary part, and i = -1. Write a script that prompts the user separately to enter values for the real and imaginary parts, and stores them in a structure variable. It then prints the complex number in the form a + ib. The script should just print the value of a, then the string '+ i', and then the value of b. For example, if the script is named compnumstruct, running it would result in: >> compnumstruct Enter the real part: 2.1 Enter the imaginary part: 3.3 The complex number is i3.3 (Note: This is just a structure exercise; MATLAB can handle complex numbers automatically as will be seen in Chapter 14.) 14. A script stores information on potential subjects for an experiment in a vector of structures called subjects. The following show an example of what the contents might be: >> subjects subjects = 1x3 struct array with fields: name sub_id weight >> subjects(1) name: 'Joey' sub_id: 111 : weight: For this particular experiment, the only subjects who are eligible are those whose or weight is lower than the average or weight of all subjects. The script will print the names of those who are eligible. Create a vector with sample data in a script, and then write the code to accomplish this. Don t assume that the length of the vector is known; the code should be general Quality control involves keeping statistics on the quality of products. A company tracks its products and any failures that occur. For every imperfect part, a record is kept that includes the part number, a character code, a string that describes the failure, and the cost of both labor and material to fix the part. Create a vector of structures and create sample data for this company. Write a script that will print the information from the data structure in an easy-to-read format. 21. Create a data structure to store information on the planets in our solar system. For every planet, store its name, distance from the sun, and whether it is an inner planet or an outer planet. Computação e Programação, LEAN, MEMec 4

5 Nível Exercício 1 3. Write a function that will prompt the user separately for a first and last name and will create and return a string with the form last, first Create a structure variable that would store for a student his or her name, university ID number, and GPA. Print this information using fprintf. 16. Create a nested struct to store a person s name, address, and phone numbers. The struct should have three fields for the name, address, and phone. The address fields and phone fields will be structs. (suponha que o address tem os campos morada e código postal, e que o phone tem telemóvel e residência). 19. Write a function rid_multiple_blanks that will receive a string as an input argument. The string contains a sentence that has multiple blank spaces in between some of the words. The function will return the string with only one blank in between words. For example, >> mystr = 'Hello and ho w are you?'; >> rid_multiple_blanks(mystr) Hello and how are you? Os resultados de um questionário de uma turma podem ser organizados num vector de estruturas como o que se representa no quadro seguinte: estudante 3 numeroid questionario Cada elemento do vector estudante será uma estrutura com dois campos: o valor inteiro numeroid e um vector de valores reais questionario contendo os resultados do questionário. Escreva um script onde cria o vector de estruturas apresentado, e que em seguida calcule e escreva a média do questionário para cada estudante. O resultado deverá ter a seguinte aparência: Estudante Média Referências Apresentações das aulas teóricas AT 11 e AT 12. Capítulos 7 e 8 de Stormy Attaway (2012), Matlab: A Practical Introduction to Programming and Problem Solving, Elsevier. Computação e Programação, LEAN, MEMec 5

Computação e Programação

Computação e Programação Computação e Programação 8ª Aula de Problemas Cell arrays Estruturas Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Problema 1 Escreva uma função que recebe um cell array de strings e

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN Ficha da Aula Prática 3: Entrada/saída de dados. Scripts e funções. Estruturas de selecção. Sumário das tarefas e objectivos da aula: 1. Utilizar

Leia mais

Métodos Formais em Engenharia de Software. VDMToolTutorial

Métodos Formais em Engenharia de Software. VDMToolTutorial Métodos Formais em Engenharia de Software VDMToolTutorial Ana Paiva apaiva@fe.up.pt www.fe.up.pt/~apaiva Agenda Install Start Create a project Write a specification Add a file to a project Check syntax

Leia mais

Strings. COM10615-Tópicos Especiais em Programação I edmar.kampke@ufes.br 2014-II

Strings. COM10615-Tópicos Especiais em Programação I edmar.kampke@ufes.br 2014-II Strings COM10615-Tópicos Especiais em Programação I edmar.kampke@ufes.br Introdução Uma estrutura de dados fundamental Crescente Importância Aplicações: Busca do Google Genoma Humano 2 Caracteres Codificação

Leia mais

Inglês. Entrelinha 1,5 (Versão única igual à Versão 1) Teste Intermédio de Inglês. Parte III Compreensão do oral. Entrelinha 1,5.

Inglês. Entrelinha 1,5 (Versão única igual à Versão 1) Teste Intermédio de Inglês. Parte III Compreensão do oral. Entrelinha 1,5. Teste Intermédio de Inglês Parte III Compreensão do oral Entrelinha 1,5 Teste Intermédio Inglês Entrelinha 1,5 (Versão única igual à Versão 1) Duração do Teste: 15 minutos 22.02.2013 9.º Ano de Escolaridade

Leia mais

Guião A. Descrição das actividades

Guião A. Descrição das actividades Proposta de Guião para uma Prova Grupo: Ponto de Encontro Disciplina: Inglês, Nível de Continuação, 11.º ano Domínio de Referência: Um Mundo de Muitas Culturas Duração da prova: 15 a 20 minutos 1.º MOMENTO

Leia mais

Welcome to Lesson A of Story Time for Portuguese

Welcome to Lesson A of Story Time for Portuguese Portuguese Lesson A Welcome to Lesson A of Story Time for Portuguese Story Time is a program designed for students who have already taken high school or college courses or students who have completed other

Leia mais

Guião N. Descrição das actividades

Guião N. Descrição das actividades Proposta de Guião para uma Prova Grupo: 006 Disciplina: Inglês, Nível de Continuação, 11.º ano Domínio de Referência: Um Mundo de Muitas Culturas Duração da prova: 15 a 20 minutos 1.º MOMENTO Guião N Intervenientes

Leia mais

GUIÃO Domínio de Referência: CIDADANIA E MULTICULTURALISMO

GUIÃO Domínio de Referência: CIDADANIA E MULTICULTURALISMO PROJECTO PROVAS EXPERIMENTAIS DE EXPRESSÃO ORAL DE LÍNGUA ESTRANGEIRA - 2005-2006 Ensino Secundário - Inglês, 12º ano - Nível de Continuação 1 1º Momento GUIÃO Domínio de Referência: CIDADANIA E MULTICULTURALISMO

Leia mais

Slides_Java_1 !"$ % & $ ' ' Output: Run java. Compile javac. Name of program. Must be the same as name of file. Java source code.

Slides_Java_1 !$ % & $ ' ' Output: Run java. Compile javac. Name of program. Must be the same as name of file. Java source code. Slides_Java_1!"#$!" $ % & $ Sistemas Informáticos I, 2005/2006 ( Java source code Compile javac Java bytecode Run java Output:!"#) %& Name of program. Must be the same as name of file.!"#$!"$ % & $ Where

Leia mais

Addition of Fields in Line Item Display Report Output for TCode FBL1N/FBL5N

Addition of Fields in Line Item Display Report Output for TCode FBL1N/FBL5N Addition of Fields in Line Item Display Report Output for TCode FBL1N/FBL5N Applies to: Any business user who uses the transactions FBL1N and FBL5N to display line item reports for vendors and customers.

Leia mais

GUIÃO A. What about school? What s it like to be there/here? Have you got any foreign friends? How did you get to know them?

GUIÃO A. What about school? What s it like to be there/here? Have you got any foreign friends? How did you get to know them? GUIÃO A Prova construída pelos formandos e validada pelo GAVE, 1/7 Grupo: Chocolate Disciplina: Inglês, Nível de Continuação 11.º ano Domínio de Referência: Um Mundo de Muitas Culturas 1º Momento Intervenientes

Leia mais

Easy Linux! FUNAMBOL FOR IPBRICK MANUAL. IPortalMais: a «brainware» company www.iportalmais.pt. Manual

Easy Linux! FUNAMBOL FOR IPBRICK MANUAL. IPortalMais: a «brainware» company www.iportalmais.pt. Manual IPortalMais: a «brainware» company FUNAMBOL FOR IPBRICK MANUAL Easy Linux! Title: Subject: Client: Reference: Funambol Client for Mozilla Thunderbird Doc.: Jose Lopes Author: N/Ref.: Date: 2009-04-17 Rev.:

Leia mais

Guião M. Descrição das actividades

Guião M. Descrição das actividades Proposta de Guião para uma Prova Grupo: Inovação Disciplina: Inglês, Nível de Continuação, 11.º ano Domínio de Referência: O Mundo do trabalho Duração da prova: 15 a 20 minutos 1.º MOMENTO Guião M Intervenientes

Leia mais

Para iniciar um agente SNMP, usamos o comando snmpd. Por padrão, aceita requisições na porta 161 (UDP).

Para iniciar um agente SNMP, usamos o comando snmpd. Por padrão, aceita requisições na porta 161 (UDP). EN3610 Gerenciamento e interoperabilidade de redes Prof. João Henrique Kleinschmidt Prática SNMP 1 MIBs RMON No Linux os arquivos MIB são armazenados no diretório /usr/share/snmp/mibs. Cada arquivo MIB

Leia mais

User Guide Manual de Utilizador

User Guide Manual de Utilizador 2400 DPI OPTICAL GAMING MOUSE User Guide Manual de Utilizador 2014 1Life Simplify it All rights reserved. www.1-life.eu 2 2400 DPI OPTICAL GAMING MOUSE ENGLISH USER GUIDE...4 MANUAL DE UTILIZADOR PORTUGUÊS...18

Leia mais

Prova Oral de Inglês Duração da Prova: 20 a 25 minutos 2013/2014. 1.º Momento. 4 (A), are you a health-conscious person?

Prova Oral de Inglês Duração da Prova: 20 a 25 minutos 2013/2014. 1.º Momento. 4 (A), are you a health-conscious person? Prova Oral de Inglês Duração da Prova: 20 a 25 minutos 2013/2014 GUIÃO A Disciplina: Inglês, Nível de Continuação 11.º ano Domínio de Referência: O Mundo do Trabalho 1.º Momento Intervenientes e Tempos

Leia mais

Para iniciar um agente SNMP, usamos o comando snmpd. Por padrão, aceita requisições na porta 161 (UDP).

Para iniciar um agente SNMP, usamos o comando snmpd. Por padrão, aceita requisições na porta 161 (UDP). EN3610 Gerenciamento e interoperabilidade de redes Prof. João Henrique Kleinschmidt Prática SNMP Net-SNMP (http://www.net-snmp.org) é um conjunto de aplicações usado para implementar SNMPv1, SNMPv2 e SNMPv3.

Leia mais

Dispositivos de Entrada. Dispositivos de Entrada. Data Glove. Data Glove. Profa. M. Cristina Profa. Rosane março 2006 março 2009

Dispositivos de Entrada. Dispositivos de Entrada. Data Glove. Data Glove. Profa. M. Cristina Profa. Rosane março 2006 março 2009 Dispositivos de Entrada Dispositivos de Entrada Profa. M. Cristina Profa. Rosane março 2006 março 2009 Teclado Mouse Trackball e Spaceball Joystick Digitalizador (tablet) Touch panel Light pen Data Glove

Leia mais

Prova de Seleção Mestrado LINGUA INGLESA 15/02/2016

Prova de Seleção Mestrado LINGUA INGLESA 15/02/2016 Prova de Seleção Mestrado LINGUA INGLESA 15/02/2016 Instruções aos candidatos: (1) Preencher somente o número de inscrição em todas as folhas. (2) Usar caneta preta ou azul. 1 2 3 4 5 6 7 8 9 10 11 12

Leia mais

Lesson 6 Notes. Eu tenho um irmão e uma irmã Talking about your job. Language Notes

Lesson 6 Notes. Eu tenho um irmão e uma irmã Talking about your job. Language Notes Lesson 6 Notes Eu tenho um irmão e uma irmã Talking about your job Welcome to Fun With Brazilian Portuguese Podcast, the podcast that will take you from beginner to intermediate in short, easy steps. These

Leia mais

Serviços: API REST. URL - Recurso

Serviços: API REST. URL - Recurso Serviços: API REST URL - Recurso URLs reflectem recursos Cada entidade principal deve corresponder a um recurso Cada recurso deve ter um único URL Os URLs referem em geral substantivos URLs podem reflectir

Leia mais

Inglês. Guião. Teste Intermédio de Inglês. Parte IV Interação oral em pares. Teste Intermédio

Inglês. Guião. Teste Intermédio de Inglês. Parte IV Interação oral em pares. Teste Intermédio Teste Intermédio de Inglês Parte IV Interação oral em pares Teste Intermédio Inglês Guião Duração do Teste: 10 a 15 minutos De 25.02.2013 a 10.04.2013 9.º Ano de Escolaridade D TI de Inglês Página 1/ 7

Leia mais

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education PORTUGUESE 0540/03

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education PORTUGUESE 0540/03 UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education PORTUGUESE 0540/03 Paper 3 Speaking/Listening Role Play Card One No Additional Materials are

Leia mais

Desafios tecnológicos para o Projeto Observatório Logístico de Transporte

Desafios tecnológicos para o Projeto Observatório Logístico de Transporte Desafios tecnológicos para o Projeto Observatório Logístico de Transporte If we have data, let s look at data. If all we have are opinions, let s go with mine. Jim Barksdale, ex-ceo AT&T e Netscape Se

Leia mais

SISTEMAS DISTRIBUÍDOS 1º EXAME

SISTEMAS DISTRIBUÍDOS 1º EXAME SISTEMAS DISTRIBUÍDOS 1º EXAME Ano Lectivo: 2005/2006 Data: 12 de Junho de 2006 Ano Curricular: 4º Ano 2º Semestre Duração: 2h00 INFORMAÇÕES GERAIS 1. O exame encontra-se em Inglês devido à existência

Leia mais

PROTOCOLOS DE COMUNICAÇÃO

PROTOCOLOS DE COMUNICAÇÃO PROTOCOLOS DE COMUNICAÇÃO 3º ANO / 2º SEMESTRE 2014 INFORMÁTICA avumo@up.ac.mz Ambrósio Patricio Vumo Computer Networks & Distribution System Group Descrição do File Transfer Protocol - FTP FTP significa

Leia mais

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education

UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education UNIVERSITY OF CAMBRIDGE INTERNATIONAL EXAMINATIONS International General Certificate of Secondary Education *5148359301* PORTUGUESE 0540/03 Paper 3 Speaking Role Play Card One 1 March 30 April 2013 No

Leia mais

Visitor, is this is very important contact with you. WATH DO WE HERE?

Visitor, is this is very important contact with you. WATH DO WE HERE? Visitor, is this is very important contact with you. I m Gilberto Martins Loureiro, Piraí s Senior Age Council President, Rio de Janeiro State, Brazil. Our city have 26.600 habitants we have 3.458 senior

Leia mais

Trabalho de Compensação de Ausência - 1º Bimestre

Trabalho de Compensação de Ausência - 1º Bimestre Educação Infantil, Ensino Fundamental e Ensino Médio Regular. Rua Cantagalo 313, 325, 337 e 339 Tatuapé Fones: 2293-9393 e 2293-9166 Diretoria de Ensino Região LESTE 5 Trabalho de Compensação de Ausência

Leia mais

01-A GRAMMAR / VERB CLASSIFICATION / VERB FORMS

01-A GRAMMAR / VERB CLASSIFICATION / VERB FORMS 01-A GRAMMAR / VERB CLASSIFICATION / VERB FORMS OBS1: Adaptação didática (TRADUÇÃO PARA PORTUGUÊS) realizada pelo Prof. Dr. Alexandre Rosa dos Santos. OBS2: Textos extraídos do site: http://www.englishclub.com

Leia mais

Manual de Comandos Úteis OpenSSL para Certificados Digitais

Manual de Comandos Úteis OpenSSL para Certificados Digitais Manual de Comandos Úteis OpenSSL para Certificados Digitais Sistemas: Microsoft Windows XP Microsoft Windows VISTA Microsoft Windows 7 Microsoft Windows Server 2003 Microsoft Windows Server 2008 Linux

Leia mais

User interface evaluation experiences: A brief comparison between usability and communicability testing

User interface evaluation experiences: A brief comparison between usability and communicability testing User interface evaluation experiences: A brief comparison between usability and communicability testing Kern, Bryan; B.S.; The State University of New York at Oswego kern@oswego.edu Tavares, Tatiana; PhD;

Leia mais

Instrução para gerar CSR com OpenSSL

Instrução para gerar CSR com OpenSSL Instrução para gerar CSR com OpenSSL Sistemas Operacionais: Windows 2000 Server; Windows 2003 Server; Windows 2008 Server. Outubro/2010 Proibida a reprodução total ou parcial. Todos os direitos reservados

Leia mais

Aqui pode escolher o Sistema operativo, e o software. Para falar, faça download do Cliente 2.

Aqui pode escolher o Sistema operativo, e o software. Para falar, faça download do Cliente 2. TeamSpeak PORTUGUES ENGLISH Tutorial de registo num servidor de TeamSpeak Registration tutorial for a TeamSpeak server Feito por [WB ].::B*A*C*O::. membro de [WB ] War*Brothers - Non Dvcor Dvco Made by:

Leia mais

CODIGOS CONTROLE RS232 Matrix HDMI 4x2 Control EDID/RS232 (GB.42.2014)

CODIGOS CONTROLE RS232 Matrix HDMI 4x2 Control EDID/RS232 (GB.42.2014) CODIGOS CONTROLE RS232 Matrix HDMI 4x2 Control EDID/RS232 (GB.42.2014) Versão 2014.04.23 Você acaba de adquirir um produto AV LIFE!!! Não deixe de acessar nosso site www.avlife.com.br para ficar por dentro

Leia mais

Completing your Participant Agreement Como preencher o Contrato de Participação

Completing your Participant Agreement Como preencher o Contrato de Participação Completing your Participant Agreement Como preencher o Contrato de Participação A quick-start guide for stock plan participants. Um guia rápido para participantes do plano de compra de ações. Your company

Leia mais

GUIÃO A. Ano: 9º Domínio de Referência: O Mundo do Trabalho. 1º Momento. Intervenientes e Tempos. Descrição das actividades

GUIÃO A. Ano: 9º Domínio de Referência: O Mundo do Trabalho. 1º Momento. Intervenientes e Tempos. Descrição das actividades Ano: 9º Domínio de Referência: O Mundo do Trabalho GUIÃO A 1º Momento Intervenientes e Tempos Descrição das actividades Good morning / afternoon / evening, A and B. For about three minutes, I would like

Leia mais

Triggers no PostgreSQL

Triggers no PostgreSQL Triggers no PostgreSQL Traduzido do manual do PostgreSQL Pode-se utilizar PL/pqSQL para a definição de triggers (gatilhos). Um procedimento do tipo trigger é criado com o comando CREATE FUNCTION, declarando

Leia mais

Perguntas & Respostas

Perguntas & Respostas Perguntas & Respostas 17 de Abril de 2008 Versão Portuguesa 1. O que é uma Certidão Permanente?...4 2. Como posso ter acesso a uma Certidão Permanente?...4 3. Onde posso pedir uma Certidão Permanente?...4

Leia mais

Conteúdo Programático Anual

Conteúdo Programático Anual INGLÊS 1º BIMESTRE 5ª série (6º ano) Capítulo 01 (Unit 1) What s your name? What; Is; My, you; This; Saudações e despedidas. Capítulo 2 (Unit 2) Who s that? Who; This, that; My, your, his, her; Is (afirmativo,

Leia mais

Accessing the contents of the Moodle Acessando o conteúdo do Moodle

Accessing the contents of the Moodle Acessando o conteúdo do Moodle Accessing the contents of the Moodle Acessando o conteúdo do Moodle So that all the available files in the Moodle can be opened without problems, we recommend some software that will have to be installed

Leia mais

Versão: 1.0. Segue abaixo, os passos para o processo de publicação de artigos que envolvem as etapas de Usuário/Autor. Figura 1 Creating new user.

Versão: 1.0. Segue abaixo, os passos para o processo de publicação de artigos que envolvem as etapas de Usuário/Autor. Figura 1 Creating new user. Órgão: Ministry of Science, Technology and Innovation Documento: Flow and interaction between users of the system for submitting files to the periodicals RJO - Brazilian Journal of Ornithology Responsável:

Leia mais

Design de Multimédia e Interacção

Design de Multimédia e Interacção índice 1. Interacção 1.1 Definições 2.1 Definições 2.2 Definições - diagrama 1 2.3 Definições - sumário 2.4 Princípios - diagrama 2 2.5 So, What is Interaction Design? Bibliografia 1. Interacção 1.1 Definições

Leia mais

2005 2011 O caminho da GMB para aprovação técnica no PMC passou pelo projeto GMB2NLM

2005 2011 O caminho da GMB para aprovação técnica no PMC passou pelo projeto GMB2NLM 2005 2011 O caminho da GMB para aprovação técnica no PMC passou pelo projeto GMB2NLM Klaus Hartfelder Editor Assistente da GMB editor@gmb.org.br ou klaus@fmrp.usp.br Passo 1: submissão dos dados da revista

Leia mais

booths remain open. Typical performance analysis objectives for the toll plaza system address the following issues:

booths remain open. Typical performance analysis objectives for the toll plaza system address the following issues: booths remain open. Typical performance analysis objectives for the toll plaza system address the following issues: What would be the impact of additional traffic on car delays? Would adding Simulação

Leia mais

manualdepsiquiatriainfant il manual de psiquiatria infantil

manualdepsiquiatriainfant il manual de psiquiatria infantil manualdepsiquiatriainfant il manual de psiquiatria infantil These guides possess a lot information especially advanced tips such as the optimum settings configuration for manualdepsiquiatriainfantil manual

Leia mais

Criação de uma aplicação Web ASP.NET MVC 4

Criação de uma aplicação Web ASP.NET MVC 4 Criação de uma aplicação Web ASP.NET MVC 4 usando Code First, com Roles (VS2012) Baseado no artigo de Scott Allen Roles in ASP.NET MVC4 : http://odetocode.com/blogs/scott/archive/2012/08/31/seeding membership

Leia mais

Institutional Skills. Sessão informativa INSTITUTIONAL SKILLS. Passo a passo. www.britishcouncil.org.br

Institutional Skills. Sessão informativa INSTITUTIONAL SKILLS. Passo a passo. www.britishcouncil.org.br Institutional Skills Sessão informativa INSTITUTIONAL SKILLS Passo a passo 2 2 British Council e Newton Fund O British Council é a organização internacional do Reino Unido para relações culturais e oportunidades

Leia mais

Descrição das actividades

Descrição das actividades Proposta de Guião para uma Prova Grupo: Em Acção Disciplina: Inglês, Nível de Continuação, 11.º ano Domínio de Referência: O Mundo do Trabalho Duração da prova: 15 a 20 minutos Guião D 1.º MOMENTO Intervenientes

Leia mais

Versão 1. Nome do aluno: N.º: Turma: Atenção! Não vires esta página até receberes a indicação para o fazeres.

Versão 1. Nome do aluno: N.º: Turma: Atenção! Não vires esta página até receberes a indicação para o fazeres. Teste Intermédio de Inglês Parte III Compreensão do oral Versão 1 Teste Intermédio Inglês Versão 1 Duração do Teste: 15 minutos 22.02.2013 9.º Ano de Escolaridade Escola: Nome do aluno: N.º: Turma: Classificação

Leia mais

Português 207 Portuguese for Business

Português 207 Portuguese for Business Português 207 Portuguese for Business Spring 2012: Porugal and the EU Instructor: Jared Hendrickson Office: 1149 Van Hise Office Hours: Monday and Thursday, 11:00 am-12:00 pm e-mail: jwhendrickso@wisc.edu

Leia mais

NOVO SISTEMA DE CORREIO ELETRONICO PARA OS DOMINIOS ic.uff.br & dcc.ic.uff.br

NOVO SISTEMA DE CORREIO ELETRONICO PARA OS DOMINIOS ic.uff.br & dcc.ic.uff.br NOVO SISTEMA DE CORREIO ELETRONICO PARA OS DOMINIOS ic.uff.br & dcc.ic.uff.br A partir de 28/07/2004 (quarta-feira), ás 17:30 hs estaremos trocando nossos servidores de correio para ambos os domínios ic.uff.br

Leia mais

How are you? Activity 01 Warm up. Activity 02 Catch! Objective. Procedure. Objective. Preparation. Procedure. To warm-up and practice greetings.

How are you? Activity 01 Warm up. Activity 02 Catch! Objective. Procedure. Objective. Preparation. Procedure. To warm-up and practice greetings. Activity 01 Warm up Objective To warm-up and practice greetings. 1. Make sure you re in the room before the Ss. 2. Greet Ss as they enter the room using How are you?, How are you doing?, What s up?. 3.

Leia mais

Programação 2009/2010 MEEC - MEAer Laboratório 5 Semana de 26 de outubro de 2009

Programação 2009/2010 MEEC - MEAer Laboratório 5 Semana de 26 de outubro de 2009 Programação 2009/2010 MEEC - MEAer Laboratório 5 Semana de 26 de outubro de 2009 Ao desenvolver os seguintes programas tenha em atenção o bom uso dos comentários, o uso da indentação e o correcto nome

Leia mais

Câmbio MONEY CHANGER. I d like to exchange some money. Gostaria de cambiar um pouco de dinheiro. Where can I find a money changer?

Câmbio MONEY CHANGER. I d like to exchange some money. Gostaria de cambiar um pouco de dinheiro. Where can I find a money changer? MONEY CHANGER Câmbio I d like to exchange some money. Where can I find a money changer? Gostaria de cambiar um pouco de dinheiro. Onde posso encontrar um câmbio? I d like to exchange (I would) Where can

Leia mais

Searching for Employees Precisa-se de Empregados

Searching for Employees Precisa-se de Empregados ALIENS BAR 1 Searching for Employees Precisa-se de Empregados We need someone who can prepare drinks and cocktails for Aliens travelling from all the places in our Gallaxy. Necessitamos de alguém que possa

Leia mais

SUMÁRIO VOLUME 1 LÍNGUA INGLESA

SUMÁRIO VOLUME 1 LÍNGUA INGLESA SUMÁRIO VOLUME 1 "No mar tanta tormenta e dano, Tantas vezes a morte apercebida, Na terra, tanta guerra, tanto engano, Tanta necessidade aborrecida." Os Lusíadas, p. 106, Luís Vaz de Camões Lesson 1 -

Leia mais

Easy Linux! FUNAMBOL FOR IPBRICK MANUAL. IPortalMais: a «brainmoziware» company www.iportalmais.pt. Manual Jose Lopes

Easy Linux! FUNAMBOL FOR IPBRICK MANUAL. IPortalMais: a «brainmoziware» company www.iportalmais.pt. Manual Jose Lopes IPortalMais: a «brainmoziware» company www.iportalmais.pt FUNAMBOL FOR IPBRICK MANUAL Easy Linux! Title: Subject: Client: Reference: Funambol Client for Microsoft Outlook Doc.: Author: N/Ref.: Date: 2009-04-17

Leia mais

Consultoria em Direito do Trabalho

Consultoria em Direito do Trabalho Consultoria em Direito do Trabalho A Consultoria em Direito do Trabalho desenvolvida pelo Escritório Vernalha Guimarães & Pereira Advogados compreende dois serviços distintos: consultoria preventiva (o

Leia mais

NORMAS PARA AUTORES. As normas a seguir descritas não dispensam a leitura do Regulamento da Revista Portuguesa de Marketing, disponível em www.rpm.pt.

NORMAS PARA AUTORES. As normas a seguir descritas não dispensam a leitura do Regulamento da Revista Portuguesa de Marketing, disponível em www.rpm.pt. NORMAS PARA AUTORES As normas a seguir descritas não dispensam a leitura do Regulamento da Revista Portuguesa de Marketing, disponível em www.rpm.pt. COPYRIGHT Um artigo submetido à Revista Portuguesa

Leia mais

ACFES MAIORES DE 23 ANOS INGLÊS. Prova-modelo. Instruções. Verifique se o exemplar da prova está completo, isto é, se termina com a palavra FIM.

ACFES MAIORES DE 23 ANOS INGLÊS. Prova-modelo. Instruções. Verifique se o exemplar da prova está completo, isto é, se termina com a palavra FIM. ACFES MAIORES DE 23 ANOS INGLÊS Prova-modelo Instruções Verifique se o exemplar da prova está completo, isto é, se termina com a palavra FIM. A prova é avaliada em 20 valores (200 pontos). A prova é composta

Leia mais

UNIVERSIDADE DE SÃO PAULO FACULDADE DE EDUCAÇÃO JOÃO FÁBIO PORTO. Diálogo e interatividade em videoaulas de matemática

UNIVERSIDADE DE SÃO PAULO FACULDADE DE EDUCAÇÃO JOÃO FÁBIO PORTO. Diálogo e interatividade em videoaulas de matemática UNIVERSIDADE DE SÃO PAULO FACULDADE DE EDUCAÇÃO JOÃO FÁBIO PORTO Diálogo e interatividade em videoaulas de matemática São Paulo 2010 JOÃO FÁBIO PORTO Diálogo e interatividade em videoaulas de matemática

Leia mais

Número: Nome: 1 --------------------------------------------------------------------------------------------------------------

Número: Nome: 1 -------------------------------------------------------------------------------------------------------------- Número: Nome: 1 -------------------------------------------------------------------------------------------------------------- INSTITUTO SUPERIOR TÉCNICO Sistemas de Apoio à Decisão Exame 2 15 julho 2006

Leia mais

Laboratório 3. Base de Dados II 2008/2009

Laboratório 3. Base de Dados II 2008/2009 Laboratório 3 Base de Dados II 2008/2009 Plano de Trabalho Lab. 3: Programação em Transact-SQL MYSQL Referências www.mysql.com MICROSOFT SQL SERVER - Procedimentos do Lado do Servidor (Stored Procedures)

Leia mais

Sistemas Operativos - Mooshak. 1 Mooshak. in http://mooshak.deei. fct.ualg.pt/. mooshak.deei.fct.ualg.pt/.

Sistemas Operativos - Mooshak. 1 Mooshak. in http://mooshak.deei. fct.ualg.pt/. mooshak.deei.fct.ualg.pt/. Sistemas Operativos - Mooshak 1 Mooshak O Mooshak (Leal and Silva, 2003) é um sistema para gerir concursos de programação. Para a sua utilização no âmbito da unidade curricular de Sistemas Operativos,

Leia mais

Bent glass lamination 1 If the curve of the bent glass is small, you can laminate it by vacuum bag. Noted: The shape of the wood should match the maximum curve of the glass. 2 If the curve of the glass

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN Ficha da Aula Prática 10: Construção de GUIs Parte I Sumário das tarefas e objectivos da aula: 1. Identificar os vários componentes das GUIs 2.

Leia mais

Prova Escrita de Inglês

Prova Escrita de Inglês PROVA DE EQUIVALÊNCIA À FREQUÊNCIA Decreto-Lei nº 139/2012, de 5 de julho Prova Escrita de Inglês 6º Ano de Escolaridade Prova 06 / 2.ª Fase 7 Páginas Duração da Prova: 90 minutos. 2014 Prova 06/ 2.ª F.

Leia mais

manualdepsiquiatriainfant il manual de psiquiatria infantil

manualdepsiquiatriainfant il manual de psiquiatria infantil manualdepsiquiatriainfant il manual de psiquiatria infantil Topic on this manual is about the greatest of those manualdepsiquiatriainfantil manual de psiquiatria infantil might have lots 1000s of different

Leia mais

T Ã O B O M Q U A N T O N O V O

T Ã O B O M Q U A N T O N O V O D I S S E R T A Ç Ã O D E M E S T R A D O M A S T E R I N G D I S S E R T A T I O N A V A L I A Ç Ã O D A C O N D I Ç Ã O D E T Ã O B O M Q U A N T O N O V O U M A A P L I C A Ç Ã O E N V O L V E N D O

Leia mais

MANUAL CONTABILIDADE BANCARIA PDF

MANUAL CONTABILIDADE BANCARIA PDF MANUAL CONTABILIDADE BANCARIA PDF ==> Download: MANUAL CONTABILIDADE BANCARIA PDF MANUAL CONTABILIDADE BANCARIA PDF - Are you searching for Manual Contabilidade Bancaria Books? Now, you will be happy that

Leia mais

5/10/10. Implementação. Building web Apps. Server vs. client side. How to create dynamic contents?" Client side" Server side"

5/10/10. Implementação. Building web Apps. Server vs. client side. How to create dynamic contents? Client side Server side 5/10/10 Implementação Mestrado em Informática Universidade do Minho! 6! Building web Apps How to create dynamic contents?" Client side" Code runs on the client (browser)" Code runs on a virtual machine

Leia mais

Project Management Activities

Project Management Activities Id Name Duração Início Término Predecessoras 1 Project Management Activities 36 dias Sex 05/10/12 Sex 23/11/12 2 Plan the Project 36 dias Sex 05/10/12 Sex 23/11/12 3 Define the work 15 dias Sex 05/10/12

Leia mais

Instructions. Instruções

Instructions. Instruções Instructions ENGLISH Instruções PORTUGUÊS This document is to help consumers in understanding basic functionality in their own language. Should you have any difficulty using any of the functions please

Leia mais

Inglês. Guião. Teste Intermédio de Inglês. Parte III Interacção Oral. Teste Intermédio. Duração do Teste: 10 a 15 minutos De 27.04.2011 a 13.05.

Inglês. Guião. Teste Intermédio de Inglês. Parte III Interacção Oral. Teste Intermédio. Duração do Teste: 10 a 15 minutos De 27.04.2011 a 13.05. Teste Intermédio de Inglês Parte III Interacção Oral Teste Intermédio Inglês Guião Duração do Teste: 10 a 15 minutos De 27.04.2011 a 13.05.2011 9.º Ano de Escolaridade Decreto-Lei n.º 6/2001, de 18 de

Leia mais

3 o ANO ENSINO MÉDIO. Prof. a Christiane Mourão Prof. a Cláudia Borges

3 o ANO ENSINO MÉDIO. Prof. a Christiane Mourão Prof. a Cláudia Borges 3 o ANO ENSINO MÉDIO Prof. a Christiane Mourão Prof. a Cláudia Borges Avaliação da unidade III Pontuação: 7,5 pontos 2 LEIA O TEXTO A SEGUIR E RESPONDA AS QUESTÕES 1 E 2. Does the color red really make

Leia mais

Introdução a classes e objetos. 2005 by Pearson Education do Brasil

Introdução a classes e objetos. 2005 by Pearson Education do Brasil 1 3 Introdução a classes e objetos 2 3.1 Introdução Classes Números de ponto flutuante 3.2 Classes, objetos, métodos e variáveis de instância 3 Classes fornecem um ou mais métodos. Métodos representam

Leia mais

Knowledge Representation and Reasoning

Knowledge Representation and Reasoning UNIVERSIDADE TÉCNICA DE LISBOA INSTITUTO SUPERIOR TÉCNICO Knowledge Representation and Reasoning Master in Information Systems and Computer Engineering First Test April 13th 2012, 14:00H 15:30H Name: Number:

Leia mais

Práticas de Desenvolvimento de Software

Práticas de Desenvolvimento de Software Aula 3. 09/03/2015. Práticas de Desenvolvimento de Software Aula 3 - Introdução à linguagem de programação Ruby Oferecimento Ruby (1) Ruby Ruby (2) Ruby Linguagem de programação dinâmica, de código aberto,

Leia mais

What is Bullying? Bullying is the intimidation or mistreating of weaker people. This definition includes three important components:1.

What is Bullying? Bullying is the intimidation or mistreating of weaker people. This definition includes three important components:1. weaker people. This definition includes three important components:1. Bullying is aggressive behavior that involves unwanted, negative actions. 2. Bullying involves a pattern of behavior repeated over

Leia mais

Organização Sete de Setembro de Cultura e Ensino - LTDA Faculdade Sete de Setembro FASETE Bacharelado em Administração

Organização Sete de Setembro de Cultura e Ensino - LTDA Faculdade Sete de Setembro FASETE Bacharelado em Administração Organização Sete de Setembro de Cultura e Ensino - LTDA Faculdade Sete de Setembro FASETE Bacharelado em Administração VICTOR HUGO SANTANA ARAÚJO ANÁLISE DAS FORÇAS DE PORTER NUMA EMPRESA DO RAMO FARMACÊUTICO:

Leia mais

Caracterização dos servidores de email

Caracterização dos servidores de email Caracterização dos servidores de email Neste documento é feita a modulação de um servidor de email, com isto pretende-se descrever as principais funcionalidades e características que um servidor de email

Leia mais

#* Online Read Introducao ao Direito Empresarial: Direito Empresarial, Empresa, Empresario, Livros, Denominacao, Fundo de Empresa...

#* Online Read Introducao ao Direito Empresarial: Direito Empresarial, Empresa, Empresario, Livros, Denominacao, Fundo de Empresa... #* Online Read Introducao ao Direito Empresarial: Direito Empresarial, Empresa, Empresario, Livros, Denominacao, Fundo de Empresa... free book pdf for download ID:vuudfe Click Here to Read Introducao

Leia mais

3 o Treino para Alunos da UFPR 18 de Janeiro de 2013

3 o Treino para Alunos da UFPR 18 de Janeiro de 2013 3 o Treino para Alunos da UFPR 18 de Janeiro de 2013 Sevidor BOCA: http://maratona.c3sl.ufpr.br/boca/ Organizadores: Vinicius Kwiecien Ruoso e Ricardo Tavares de Oliveira Lembretes: É permitido consultar

Leia mais

Erasmus Student Work Placement

Erasmus Student Work Placement Erasmus Student Work Placement EMPLOYER INFORMATION Name of organisation Address Post code Country SPORT LISBOA E BENFICA AV. GENERAL NORTON DE MATOS, 1500-313 LISBOA PORTUGAL Telephone 21 721 95 09 Fax

Leia mais

hdd enclosure caixa externa para disco rígido

hdd enclosure caixa externa para disco rígido hdd enclosure caixa externa para disco rígido USER S GUIDE SPECIFICATONS HDD Support: SATA 2.5 Material: Aluminium and plastics Input connections: SATA HDD Output connections: USB 3.0 (up to 5.0Gbps)

Leia mais

Teoria Económica Clássica e Neoclássica

Teoria Económica Clássica e Neoclássica Teoria Económica Clássica e Neoclássica Nuno Martins Universidade dos Açores Jornadas de Estatística Regional 29 de Novembro, Angra do Heroísmo, Portugal Definição de ciência económica Teoria clássica:

Leia mais

APRESENTAÇÃO. ABNT CB-3 Comitê Brasileiro de Eletricidade Comissão de Estudo CE 03:064.01 Instalações Elétricas de Baixa Tensão NBR 5410

APRESENTAÇÃO. ABNT CB-3 Comitê Brasileiro de Eletricidade Comissão de Estudo CE 03:064.01 Instalações Elétricas de Baixa Tensão NBR 5410 APRESENTAÇÃO ABNT CB-3 Comitê Brasileiro de Eletricidade Comissão de Estudo CE 03:064.01 Instalações Elétricas de Baixa Tensão NBR 5410 Instalações elétricas de baixa tensão NBR 5410:1997 NBR 5410:2004

Leia mais

Ficha de unidade curricular Curso de Doutoramento

Ficha de unidade curricular Curso de Doutoramento Ficha de unidade curricular Curso de Doutoramento Unidade curricular História do Direito Português I (Doutoramento - 1º semestre) Docente responsável e respectiva carga lectiva na unidade curricular Prof.

Leia mais

para que Software www.aker.com.br Produto: Página: 6.0 Introdução O Aker Firewall não vem com Configuração do PPPoE Solução

para que Software www.aker.com.br Produto: Página: 6.0 Introdução O Aker Firewall não vem com Configuração do PPPoE Solução 1 de 6 Introdução O não vem com a opção de configuração através do Control Center, para a utilização de discagem/autenticação via PPPoE. Este documento visa demonstrar como é feita a configuração do PPPoE

Leia mais

Efficient Locally Trackable Deduplication in Replicated Systems. www.gsd.inesc-id.pt. technology from seed

Efficient Locally Trackable Deduplication in Replicated Systems. www.gsd.inesc-id.pt. technology from seed Efficient Locally Trackable Deduplication in Replicated Systems João Barreto and Paulo Ferreira Distributed Systems Group INESC-ID/Technical University Lisbon, Portugal www.gsd.inesc-id.pt Bandwidth remains

Leia mais

Parts of the Solar Charger. Charging the Solar Battery. Using the Solar Lamp. Carry in hand. Shows how much light is left. Table light.

Parts of the Solar Charger. Charging the Solar Battery. Using the Solar Lamp. Carry in hand. Shows how much light is left. Table light. Parts of the Solar Charger Solar Lamp LCD Panel 1 Solar Panel Cell Phone Charger Port Protective Cover Solar Charger Port Lamp Stand Adaptors On/Off Switch Cell Phone Charger Cable Charging the Solar Battery

Leia mais

Universidade Estadual do Centro-Oeste Reconhecida pelo Decreto Estadual nº 3.444, de 8 de agosto de 1997

Universidade Estadual do Centro-Oeste Reconhecida pelo Decreto Estadual nº 3.444, de 8 de agosto de 1997 RESOLUÇÃO Nº 129/2012-CONSET/SEHLA/G/UNICENTRO, DE 30 DE OUTUBRO DE 2012. Convalida o projeto de extensão Curso de Línguas Estrangeiras, na modalidade de Curso, na categoria de Projeto de Extensão por

Leia mais

AT A HOTEL NO HOTEL. I d like to stay near the station. Can you suggest a cheaper hotel? Poderia sugerir um hotel mais barato?

AT A HOTEL NO HOTEL. I d like to stay near the station. Can you suggest a cheaper hotel? Poderia sugerir um hotel mais barato? I d like to stay near the station. Can you suggest a cheaper hotel? Gostaria de ficar por perto da estação. Poderia sugerir um hotel mais barato? I d like to stay near the station. (I would ) in a cheaper

Leia mais

The L2F Strategy for Sentiment Analysis and Topic Classification

The L2F Strategy for Sentiment Analysis and Topic Classification The L2F Strategy for Sentiment Analysis and Topic Classification Fernando Batista and Ricardo Ribeiro Outline Data Approach Experiments Features Submitted runs Conclusions and future work TASS discussion

Leia mais

Programação em MATLAB

Programação em MATLAB Programação em MATLAB Estruturas de Selecção (conclusão) Caso de Estudo: Cálculo de Áreas Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Estruturas genéricas de selecção Determina a instrução,

Leia mais

CADERNO DE PROBLEMAS

CADERNO DE PROBLEMAS CADERNO DE PROBLEMAS /05/015 14h às 17h30 Leia atentamente estas instruções antes de iniciar a resolução dos problemas. Este caderno é composto de 6 problemas, sendo que deles estão descritos em inglês.

Leia mais

SUMÁRIO VOLUME 1 LÍNGUA INGLESA

SUMÁRIO VOLUME 1 LÍNGUA INGLESA SUMÁRIO VOLUME 1 "Dentro de você existe um Universo em permanente construção." Paulo Roberto Gaefte Lesson One Review 07 Lesson Two Days of the week 24 Lesson Three School Subjects 30 My Dictionary 38

Leia mais