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 2: Entrada/saída de dados. Scripts. Estruturas de selecção. Sumário das tarefas e objectivos da aula: 1. Utilizar funções de entrada/saída 2. Criar e utilizar scripts 3. Criar gráficos simples 4. Implementar expressões relacionais 5. Utilizar estruturas de selecção 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. NOTA 3: Para facilitar o seu estudo autónomo, os exercícios que não são aplicáveis ao FreeMat são indicados com a letra M após o número. Todos os restantes podem ser resolvidos em qualquer dos programas. Note que as funções (incluindo o comando help) podem não ter exactamente a mesma forma de utilização num e noutro. Consulte a ajuda dos programas através da barra de menus para esclarecer estes casos. Exercícios a resolver na aula Docente Alunos (recomados) Alunos 2.8, 2.19, , 2.3, 3.14, 3.22 Challenge Computação e Programação, LEAN, MEMec 1

2 1. Exemplo de Script Utilize o editor do Matlab para criar o seguinte script: Guarde o ficheiro com o nome script_rectangulo.m e em seguida teste o script na Command Window conforme o exemplo seguinte (a azul as entradas do utilizador): >> script_rectangulo Lado 1 = Lado 2 = 3.1 Área = Perímetro = Apague as variáveis do ambiente de trabalho e carregue o ficheiro rectangulo.mat utilizando a função load. Verifique o valor das variáveis lidas do ficheiro. Note que sempre que executar o script script_rectangulo.m, vai reescrever o conteúdo do ficheiro de dados rectangulo.mat. 2. Funções de Entrada/Saída, Scripts e Gráficos 2. The atomic weight is the weight of an atom of a chemical element. For example, the atomic weight of oxygen is and the atomic weight of hydrogen is Write a script that will calculate the molecular weight of hydrogen peroxide, which consists of two atoms of hydrogen and two atoms of oxygen. Include comments in the script. Use help to view the comment in your script. 3. Write an input statement that will prompt the user for a string. Then, find the length of the string. 4. Write an input statement that will prompt the user for a real number, and store it in a variable. Then, use the fprintf function to print the value of this variable using two decimal places. Computação e Programação, LEAN, MEMec 2

3 5. The input function can be used to enter a vector; for example, >> vec = input('enter a vector:') Enter a vector: 4:7 vec = Experiment with this, and find out how the user can enter a matrix. 7. Experiment, in the Command Window, with using the fprintf function for integers. Make a note of what happens for each. Use fprintf to print the integer without specifying any field width in a field width of 5 in a field width of 8 in a field width of 3 8. Create the following variables: x = 12.34; y = 4.56; Then, write fprintf statements using these variables that will accomplish the following: x is x is 12 x is '12' y is 4.6 y is 4.6! y is 5 % 9. Write a script to prompt the user for the length and width of a rectangle, and print its area with two decimal places. Put comments in the script. 10. Write a script called echoname that will prompt the user for his or her name, and then echo print the name in a sentence in the following format (use %s to print it): >> echoname What is your name? Susan Wow, your name is Susan! 12. Write a script that will prompt the user for an angle in degrees. It will then calculate the angle in radians, and then print the result. Note: radians = Wing loading, which is the airplane weight divided by the wing area, is an important design factor in aeronautical engineering. Write a script that will prompt the user for the weight of the aircraft in kilograms, and the wing area in meters squared, and will calculate and print the wing loading of the aircraft in kg/m Write a script that assigns values for the x-coordinate and then y-coordinate of a point, and then plots this using a green Create a vector x with values ranging from 1 to 100 in steps of 5. Create a vector y that is the square root of each value in x. Plot these points. Now, use the bar function instead of plot to get a bar chart instead. Computação e Programação, LEAN, MEMec 3

4 19. Plot sin (x) for x values ranging from 0 to π (in separate Figure Windows): using 10 points in this range using 100 points in this range 20. Atmospheric properties such as temperature, air density, and air pressure are important in aviation. Create a file that stores temperatures in degrees Kelvin at various altitudes. The altitudes are in the first column and the temperatures in the second. For example, it may look like this: Write a script that uses the function load to read this data into a matrix, then it will separate the matrix into two vectors, and finally plot the data with appropriate axis labels and a title. 34. Write a script called pickone that will prompt the user to input a vector x, and will return one random element from the vector. Write the script so that it can show a help message if needed. For example, >> pickone Please input a vector: [ ] I picked 2! >> help pickone pickone - will prompt the user to input a vector, and then return a random element from it. 3. Scripts, Expressões relacionais e Estruturas de Selecção 4. Write a script to calculate the volume of a pyramid, which is 1/3*base*height, where the base is length*width. Prompt the user to enter values for the length, width, and the height and then calculate the volume of the pyramid. When the user enters each value, he or she will then be prompted also for either i for inches, or c for centimeters. (Note: 2.54cm = 1 inch). The script should print the volume in cubic inches with three decimal places. As an example, the format will be: This program will calculate the volume of a pyramid. Enter the length of the base: 50 Is that i or c? i Enter the width of the base: 6 Is that i or c? c Enter the height: 4 Is that i or c? i The volume of the pyramid is xxx.xxx cubic inches. 7. Write a script that will prompt the user for a numerator and a denominator for a fraction. If the denominator is 0, it will print an error message saying that division by 0 is not possible. If the denominator is not 0, it will print the result of the fraction. Computação e Programação, LEAN, MEMec 4

5 9. The continuity equation in fluid dynamics for steady fluid flow through a stream tube equates the product of the density, velocity, and area at two points that have varying cross-sectional areas. For incompressible flow, the densities are constant so the equation is A 1V 1 = A 2V 2. If the areas and V 1 are known, V 2 can be found as V 1A 1 / A 2. Therefore, whether the velocity at the second point increases or decreases deps on the areas at the two points. Write a script that will prompt the user for the two areas in meters squared, and will print whether the velocity at the second point will increase, decrease, or remain the same as at the first point. 14. Write a script that will prompt the user for a temperature in degrees Celsius, and then an F for Fahrenheit or K for Kelvin. The script will print the corresponding temperature in the scale specified by the user. For example, the output might look like this: Enter the temp in degrees C: 29.3 Do you want F or K? F The temp in degrees F is 84.7 The format of the output should be exactly as specified here. The conversions are: F = 9/5 * C + 32 K = C Write a script that will generate one random integer, and will print whether the random integer is an even or an odd number. Hint: An even number is divisible by 2, whereas an odd number is not, so check the remainder after dividing by Clouds are generally classified as high, middle, or low level. The height of the cloud is the determining factor, but the ranges vary deping on the temperature. For example, in tropical regions the classifications may be based on the following height ranges (given in feet): low middle high > Write a script that will prompt the user for the height of the cloud in feet, and print the classification. 22. Rewrite the following switch statement as one nested if-else statement (elseif clauses may be used). Assume that there is a variable letter and that it has been initialized. switch letter case 'x' disp('hello') case {'y', 'Y'} disp('yes') case 'Q' disp('quit') otherwise disp('error') Computação e Programação, LEAN, MEMec 5

6 24. In a certain city, there are five different trolley lines; they have the codes A, B, C, D, and E. Assume that code is a char variable that has been initialized. The following nested if-else statement prints the frequency with which a given line is supposed to run: if (code > 'A' && code < 'E') if (code == 'C') fprintf('every 10 minutes\n') else fprintf('every 7 minutes\n') else if (code == 'A') fprintf('this line is now obsolete!\n') else if (code = 'E') fprintf('error - there is no such trolley!\n') else fprintf('every 12 minutes\n') This is confusing! Rewrite this as a switch statement that does exactly what the above nested if-else statement does, for any given value of the variable code. Do not use any if or if-else statements (there should only be fprintf statements in the switch). Put this in a script that will test the solution. 25. Write a script area_menu.m that will print a list consisting of cylinder, circle, and rectangle. It prompts the user to choose one, and then prompts the user for the appropriate quantities (e.g., the radius of the circle) and then prints its area. If the user enters an invalid choice, the script simply prints an error message. The script should use a switch statement to accomplish this. Here are two examples of running it. >> area_menu Menu 1. Cylinder 2. Circle 3. Rectangle Please choose one: 2 Enter the radius of the circle: 4.1 The area is >> area_menu Menu 1. Cylinder 2. Circle 3. Rectangle Please choose one: 3 Enter the length: 4 Enter the width: 6 The area is Computação e Programação, LEAN, MEMec 6

7 4. Challenge Nível Exercício 1. What would be the result of the following expressions? (NOTA: tente perceber antes de testar!!!) 'b' >= 'c' == (3 == 2) + 1 xor(5 < 6, 8 > 4) 2.6. Experiment, in the Command Window, with using the fprintf function for real numbers. Make a note of what happens for each. Use fprintf to print the real number without specifying any field width in a field width of 10 with four decimal places in a field width of 10 with two decimal places in a field width of 6 with four decimal places in a field width of 2 with four decimal places Plot exp(x) for values of x ranging from 2 to 2 in steps of 0.1. Put an appropriate title on the plot, and label the axes In a script, the user is supposed to enter either a y or n in response to a prompt. The user s input is read into a character variable called letter. The script will print "OK, continuing" if the user enters either a y or Y or it will print "OK, halting" if the user enters an n or N, or it will print "Error" if the user enters anything else. Put this statement in the script first: letter = input('enter your answer: ', 's'); Write the script using a switch statement Write a script to prompt the user for a character, and then print whether or not it is a letter of the alphabet If the lengths of two sides of a triangle and the angle between them are known, the length of the third side can be calculated. Given the lengths of two sides (b and c) of a triangle, and the angle between them in degrees, the third side a is calculated as: a 2 = b 2 + c 2 2 b c cos(φ) Write a script called thirdside.m that will prompt the user and read in values for b, c, and φ (in degrees, 1 deg = π/180 rad), and then calculate and print the value of a with three decimal places. The format of the output from the script should look exactly like this: >> thirdside Enter the first side: 2.2 Enter the second side: 4.4 Enter the angle between them: 50 The third side is Computação e Programação, LEAN, MEMec 7

8 3 Crie um programa que peça ao utilizador um número inteiro representando um dia, e outro representando um mês do ano, e que para cada um verifique se o valor introduzido faz sentido (1 <= dia <= 31, 1 <= dia <= 30, ou 1 <= dia <= 28 consoante o mês e 1 <= mês <= 12, não se preocupe com os anos bissextos). Se algum dos valores não fizer sentido o programa deve apresentar uma mensagem de erro, caso contrário indica ao utilizador qual o número de dias decorridos nesse ano até à data introduzida. Por exemplo: se o utilizador introduzir 22 para o dia e 5 para o mês o programa indicará que se trata do 142º dia do ano. Referências Capítulos 2 e 3 do livro de apoio: Matlab: A Practical Introduction to Programming and Problem Solving 2nd edition Apresentações das AT 4 e AT 5 Computação e Programação, LEAN, MEMec 8

Computação e Programação 2009 / 2010

Computação e Programação 2009 / 2010 Computação e Programação 4ª Aula de Problemas Estruturas de selecção (if-, if-if, switch) Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Problema 1 Escrevaum script quepedeaoutilizadorum

Leia mais

Computação e Programação 2009 / 2010

Computação e Programação 2009 / 2010 Computação e Programação 2ª Aula de Problemas Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Exercícios Resolvidos [Livro 1] (Ver referências no slide 20) 3.3 Write a program to convert

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO COMPUTAÇÃO E PROGRAMAÇÃO º Semestre 205/206 MEMec, LEAN Ficha da Aula Prática 3: Estruturas de repetição. Sumário das tarefas e objectivos da aula:. Estruturas de repetição controladas por contador 2.

Leia mais

Computação e Programação

Computação e Programação Computação e Programação 3ª Aula de Problemas Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Exercícios Resolvidos [Baseado no Livro 1] (Ver referências no último slide) 2.28 Pretende-se

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO 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

Leia mais

Computação e Programação

Computação e Programação Computação e Programação 10ª Aula de Problemas Tópicos Avançados sobre Funções Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Problema 1 3. The velocity of sound in air is 49.02xT^(1/2)

Leia mais

Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Objectivos e tarefas

Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Objectivos e tarefas Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Objectivos e tarefas Aplicar os passos do processo de desenvolvimento para a construção de um algoritmo 1 Exercícios Resolvidos 1 - EXERCÍCIO

Leia mais

Processo de Desenvolvimento

Processo de Desenvolvimento Processo de Desenvolvimento Problema Análise Testes OK Codificação Testes OK Produção 1. Contexto do problema 2. Análise / síntese do problema 3. Esquema de processamento 4. e testes 5. Codificação 6.

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN

COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN Ficha da Aula Prática 5: Selecção e repetição. Funções. Sumário das tarefas e objectivos da aula: 1. Implementar estruturas de selecção e repetição.

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 7 Estruturas de dados: cell arrays, estruturas. Sumário das tarefas e objectivos da aula: 1. Entender o conceito de estruturas

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2015/2016 MEMec, LEAN Ficha da Aula Prática 1: Introdução ao MATLAB Tópicos da aula: 1. Introdução ao ambiente MATLAB 2. Representação numérica, variáveis, operadores

Leia mais

Computação e Programação

Computação e Programação Computação e Programação 9ª Aula de Problemas Manipulação avançada de ficheiros fopen, fclose, fprintf, fgetl, fgets, fscanf, textscan Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Problema

Leia mais

Computação e Programação

Computação e Programação Computação e Programação 7ª Aula de Problemas Sub-funções; Vectorização; Manipulação de strings; Estrutura try-catch Instituto Superior Técnico, Dep. de Engenharia Mecânica - ACCAII Problema 1 Seja um

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

ALGEBRA 2 PRACTICE FINAL EXAM

ALGEBRA 2 PRACTICE FINAL EXAM ALGEBRA 2 PRACTICE FINAL EXAM 1) Write the slope-intercept form of the equation of the line through the point (-3, ( -5) with slope. 2) Write the slope-intercept form of the equation of the line through

Leia mais

Divisão de Engenharia Mecânica. Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica. Prova de Seleção para Bolsas 1 o semestre de 2014

Divisão de Engenharia Mecânica. Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica. Prova de Seleção para Bolsas 1 o semestre de 2014 Divisão de Engenharia Mecânica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção para Bolsas 1 o semestre de 2014 07 de março de 2014 Nome do Candidato Observações 1. Duração

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN

COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2010/2011 MEMec, LEAN Ficha da Aula Prática 8: Processamento de ficheiros. Sumário das tarefas e objectivos da aula: 1. Conhecer as operações necessárias à leitura,

Leia mais

Aula 12 - Correção de erros

Aula 12 - Correção de erros Aula 12 - Correção de erros Prof. Renan Sebem Disciplina de Eletrônica Digital Graduação em Engenharia Elétrica Universidade do Estado de Santa Catarina Joinville-SC Brasil 5 de abril de 2016 ELD0001 Prof.

Leia mais

GUIÃO F. Grupo: Minho. 1º Momento. Intervenientes e Tempos. Descrição das actividades

GUIÃO F. Grupo: Minho. 1º Momento. Intervenientes e Tempos. Descrição das actividades GUIÃO F Prova construída pelos formandos e validada pelo GAVE, 1/7 Grupo: Minho 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

CANape/vSignalyzer. Data Mining and Report Examples Offline Analysis V

CANape/vSignalyzer. Data Mining and Report Examples Offline Analysis V CANape/vSignalyzer Data Mining and Report Examples Offline Analysis V16.0 2018-07-30 Offline Evaluation Tools On-line Tools CANalyzer. Messages CANoe. Messages CANape. Signals Off-line Tools vsignalyzer

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 I. Grupo: Continente e Ilha. 1º Momento. Intervenientes e Tempos. Descrição das actividades

GUIÃO I. Grupo: Continente e Ilha. 1º Momento. Intervenientes e Tempos. Descrição das actividades GUIÃO I Prova construída pelos formandos e validada pelo GAVE, 1/6 Grupo: Continente e Ilha Disciplina: Inglês, Nível de Continuação 11.º ano Domínio de Referência: Um mundo de Muitas Culturas 1º Momento

Leia mais

DIAGNÓSTICO DE MATEMÁTICA

DIAGNÓSTICO DE MATEMÁTICA Não esqueça de se cadastrar no site. Não utilize nenhum rascunho, deixe todas as suas anotações registradas e informe o tempo utilizado na resolução. NOME: TEL: TEMPO UTILIZADO NA RESOLUÇÃO: 1. Macey is

Leia mais

Computação e Programação

Computação e Programação Computação e Programação MEMec, LEAN - º Semestre 205-206 Expressões Relacionais Estruturas de Selecção Simples Genéricas Aula Teórica 5 D.E.M. Área Científica de Controlo Automação e Informática Industrial

Leia mais

Uma solução possível para garantir, em ambiente APEX, a consistência duma estrutura ISA total e disjuntiva.

Uma solução possível para garantir, em ambiente APEX, a consistência duma estrutura ISA total e disjuntiva. Uma solução possível para garantir, em ambiente APEX, a consistência duma estrutura ISA total e disjuntiva. A possible solution to ensure, in APEX environment, the consistency of a total and disjunctive

Leia mais

Descrição das actividades

Descrição das actividades Proposta de Guião para uma Prova Grupo: Água 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 E 1.º MOMENTO Intervenientes

Leia mais

DIBELS TM. Portuguese Translations of Administration Directions

DIBELS TM. Portuguese Translations of Administration Directions DIBELS TM Portuguese Translations of Administration Directions Note: These translations can be used with students having limited English proficiency and who would be able to understand the DIBELS tasks

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

/ʌ/ /ɑ:/ /e/ /æ/ /i:/ /ɪ/ /ʌ/ /ɑ:/ /e/ Sun Sol. Arm Braço

/ʌ/ /ɑ:/ /e/ /æ/ /i:/ /ɪ/ /ʌ/ /ɑ:/ /e/ Sun Sol. Arm Braço REVIEW: Vowels Revisão: Vogais /ʌ/ /ɑ:/ /e/ /æ/ /i:/ /ɪ/ /ʌ/ /ɑ:/ /e/ /æ/ /i:/ /ɪ/ Exercise I: Exercício I: Odd One Out: O que não se encaixa: In this exercise, we will review the sounds /ʌ/ /ɑ:/ and /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 11: Construção de GUIs Parte II Sumário das tarefas e objectivos da aula: 1. Identificar os vários componentes das GUIs

Leia mais

Instituto Tecnológico de Aeronáutica

Instituto Tecnológico de Aeronáutica Instituto Tecnológico de Aeronáutica Programa de Pós-Graduação em Engenharia de Infraestrutura Aeronáutica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção o semestre de

Leia mais

Grupo de Estudos Maratona de Programação Discussão do problema XYZZY (Uva )

Grupo de Estudos Maratona de Programação Discussão do problema XYZZY (Uva ) Grupo de Estudos Maratona de Programação Discussão do problema XYZZY (Uva 10.557) 03 de junho de 2009 material por Rafael Giusti (rfgiusti@gmail.com) Enunciado It has recently been discovered how to run

Leia mais

COMPUTAÇÃO E PROGRAMAÇÃO

COMPUTAÇÃO E PROGRAMAÇÃO COMPUTAÇÃO E PROGRAMAÇÃO 1º Semestre 2015/2016 MEMec, LEAN Ficha da Aula Prática 11: Introdução à criação de programas em C. Sumário das tarefas e objectivos da aula: 1 Aprender os passos necessários à

Leia mais

Grupo A: Ana Catarina Aperta, Daniel Peixeiro, Pedro Antunes

Grupo A: Ana Catarina Aperta, Daniel Peixeiro, Pedro Antunes Grupo A: Ana Catarina Aperta, Daniel Peixeiro, Pedro Antunes b) Para valores C, T, α, β e funções a, b, z escolhidas (inclua um caso C = 1, α = 1, β = 0 com a(t) = b(t) = (t + 1) 1, z(x) = x 2 ), apresente

Leia mais

PTC Exercício Programa GABARITO

PTC Exercício Programa GABARITO PTC-3450 - Exercício Programa 2-2017 GABARITO Nesse exercício, você vai obter estimativas do timeout utilizado pelo TCP em uma troca de pacotes. Documento da forma mais detalhada possível suas respostas.

Leia mais

Mathematical Foundation I: Fourier Transform, Bandwidth, and Band-pass Signal Representation PROF. MICHAEL TSAI 2011/10/13

Mathematical Foundation I: Fourier Transform, Bandwidth, and Band-pass Signal Representation PROF. MICHAEL TSAI 2011/10/13 Mathematical Foundation I: Fourier Transform, Bandwidth, and Band-pass Signal Representation PROF. MICHAEL TSAI 2011/10/13 Fourier Transform (): a non-periodic deterministic signal. Definition: the Fourier

Leia mais

VGM. VGM information. ALIANÇA VGM WEB PORTAL USER GUIDE June 2016

VGM. VGM information. ALIANÇA VGM WEB PORTAL USER GUIDE June 2016 Overview The Aliança VGM Web portal is an application that enables you to submit VGM information directly to Aliança via our e-portal Web page. You can choose to enter VGM information directly, or to download

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

Transcript name: 1. Introduction to DB2 Express-C

Transcript name: 1. Introduction to DB2 Express-C Transcript name: 1. Introduction to DB2 Express-C Transcript name: 1. Introduction to DB2 Express-C Welcome to the presentation Introduction to DB2 Express-C. In this presentation we answer 3 questions:

Leia mais

the axiom a string of characters (each one having a meaning) that is used to start the generation of the fractal and an angle θ,

the axiom a string of characters (each one having a meaning) that is used to start the generation of the fractal and an angle θ, UFMG/ICEx/DCC Algoritmos e Estruturas de Dados II Exercício de Programação 3 Bacharelado em Ciência da Computação 2 o semestre de 2005 Informações sobre o exercício de programação Data que o trabalho deve

Leia mais

O PRíNCIPE FELIZ E OUTRAS HISTóRIAS (EDIçãO BILíNGUE) (PORTUGUESE EDITION) BY OSCAR WILDE

O PRíNCIPE FELIZ E OUTRAS HISTóRIAS (EDIçãO BILíNGUE) (PORTUGUESE EDITION) BY OSCAR WILDE Read Online and Download Ebook O PRíNCIPE FELIZ E OUTRAS HISTóRIAS (EDIçãO BILíNGUE) (PORTUGUESE EDITION) BY OSCAR WILDE DOWNLOAD EBOOK : O PRíNCIPE FELIZ E OUTRAS HISTóRIAS (EDIçãO Click link bellow and

Leia mais

Your first Java program. Introdução ao Java. Compiling & Running FirstProgram. FirstProgram. Método main() Print to the screen.

Your first Java program. Introdução ao Java. Compiling & Running FirstProgram. FirstProgram. Método main() Print to the screen. Your first Java program Introdução ao Java Slides_Java_1 public class FirstProgram System.out.print("Hello, 2 + 3 = "); System.out.println(2 + 3); System.out.println("Good Bye"); Sistemas Informáticos

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

2ª AVALIAÇÃO/ º ANO / PRÉ-VESTIBULAR PROVA 1-25/04/2015 PROVA DISCURSIVA

2ª AVALIAÇÃO/ º ANO / PRÉ-VESTIBULAR PROVA 1-25/04/2015 PROVA DISCURSIVA 2ª AVALIAÇÃO/ 2015 3º ANO / PRÉ-VESTIBULAR PROVA 1-25/04/2015 PROVA DISCURSIVA ATENÇÃO! w Consulte a tabela abaixo para identificar a prova discursiva específica ao curso de sua opção. Curso com códigos

Leia mais

Instituto Tecnológico de Aeronáutica

Instituto Tecnológico de Aeronáutica Instituto Tecnológico de Aeronáutica Programa de Pós-Graduação em Engenharia de Infraestrutura Aeronáutica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção 2 o semestre de

Leia mais

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

ATLAS DE ACUPUNTURA VETERINáRIA. CãES E GATOS (EM PORTUGUESE DO BRASIL) BY CHOO HYUNG KIM

ATLAS DE ACUPUNTURA VETERINáRIA. CãES E GATOS (EM PORTUGUESE DO BRASIL) BY CHOO HYUNG KIM Read Online and Download Ebook ATLAS DE ACUPUNTURA VETERINáRIA. CãES E GATOS (EM PORTUGUESE DO BRASIL) BY CHOO HYUNG KIM DOWNLOAD EBOOK : ATLAS DE ACUPUNTURA VETERINáRIA. CãES E GATOS Click link bellow

Leia mais

Instituto Tecnológico de Aeronáutica

Instituto Tecnológico de Aeronáutica Instituto Tecnológico de Aeronáutica Programa de Pós-Graduação em Engenharia de Infraestrutura Aeronáutica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção 2 o semestre de

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

Biscuit - potes (Coleção Artesanato) (Portuguese Edition)

Biscuit - potes (Coleção Artesanato) (Portuguese Edition) Biscuit - potes (Coleção Artesanato) (Portuguese Edition) Regina Panzoldo Click here if your download doesn"t start automatically Biscuit - potes (Coleção Artesanato) (Portuguese Edition) Regina Panzoldo

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

Meditacao da Luz: O Caminho da Simplicidade

Meditacao da Luz: O Caminho da Simplicidade Meditacao da Luz: O Caminho da Simplicidade Leonardo Boff Click here if your download doesn"t start automatically Meditacao da Luz: O Caminho da Simplicidade Leonardo Boff Meditacao da Luz: O Caminho da

Leia mais

Better Cotton Tracer. Instructions for ABRAPA S Farms Instruções para Fazendas da ABRAPA. April 2018

Better Cotton Tracer. Instructions for ABRAPA S Farms Instruções para Fazendas da ABRAPA. April 2018 Better Cotton Tracer Instructions for ABRAPA S Farms Instruções para Fazendas da ABRAPA April 2018 1 Your account in the Better Cotton Tracer Sua conta no BCT The Better Cotton Tracer (BCT) is an online

Leia mais

Pesquisa de Marketing: Uma Orientação Aplicada (Portuguese Edition)

Pesquisa de Marketing: Uma Orientação Aplicada (Portuguese Edition) Pesquisa de Marketing: Uma Orientação Aplicada (Portuguese Edition) Naresh K. Malhotra Click here if your download doesn"t start automatically Pesquisa de Marketing: Uma Orientação Aplicada (Portuguese

Leia mais

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

CODIGOS CONTROLE RS232 Matrix HDMI 4x2 Control EDID/RS232 (GB ) 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

Um olhar que cura: Terapia das doenças espirituais (Portuguese Edition)

Um olhar que cura: Terapia das doenças espirituais (Portuguese Edition) Um olhar que cura: Terapia das doenças espirituais (Portuguese Edition) Padre Paulo Ricardo Click here if your download doesn"t start automatically Um olhar que cura: Terapia das doenças espirituais (Portuguese

Leia mais

Aprendi A Fazer Sexo Na Bíblia (Portuguese Edition)

Aprendi A Fazer Sexo Na Bíblia (Portuguese Edition) Aprendi A Fazer Sexo Na Bíblia (Portuguese Edition) Salomão Silva Click here if your download doesn"t start automatically Aprendi A Fazer Sexo Na Bíblia (Portuguese Edition) Salomão Silva Aprendi A Fazer

Leia mais

Problem 16 Rising bubble

Problem 16 Rising bubble Problem 16 Rising bubble reporter: Ibraim Rebouças Problem 16 Rising bubble A vertical tube is filled with a viscous fluid. On the bottom of the tube, there is a large air bubble. Study the bubble rising

Leia mais

UNIDADE CURRICULAR: Liguagens e Computação CÓDIGO: DOCENTE: Prof. Jorge Morais. A preencher pelo estudante. NOME: Marc Paulo Martins

UNIDADE CURRICULAR: Liguagens e Computação CÓDIGO: DOCENTE: Prof. Jorge Morais. A preencher pelo estudante. NOME: Marc Paulo Martins UNIDADE CURRICULAR: Liguagens e Computação CÓDIGO: 21078 DOCENTE: Prof. Jorge Morais A preencher pelo estudante NOME: Marc Paulo Martins N.º DE ESTUDANTE: 1601202 CURSO: Licenciatura em Informática DATA

Leia mais

A Tool to Evaluate Stuck-Open Faults in CMOS Logic Gates

A Tool to Evaluate Stuck-Open Faults in CMOS Logic Gates FURG A Tool to Evaluate Stuck-Open Faults in CMOS Logic Gates Alexandra L. Zimpeck, Cristina Meinhardt e Paulo F. Butzen Summary Introduction Motivation Stuck-Open Faults Stuck-Open Faults in Nanometer

Leia mais

Divisão de Engenharia Mecânica. Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica. Prova de Seleção para Bolsas 2 o semestre de 2013

Divisão de Engenharia Mecânica. Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica. Prova de Seleção para Bolsas 2 o semestre de 2013 Divisão de Engenharia Mecânica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção para Bolsas 2 o semestre de 203 9 de agosto de 203 Nome do Candidato Observações. Duração

Leia mais

Units 3 and 4. 3rd Bimester Content. Future Predictions. Life events. Personality adjectives. English - Leonardo Bérenger and Aline Martins

Units 3 and 4. 3rd Bimester Content. Future Predictions. Life events. Personality adjectives. English - Leonardo Bérenger and Aline Martins 3rd Bimester Content Life events Be going to Future Predictions Be going to x Will Units 3 and 4 First Conditional Personality adjectives EVALUATION CRITERIA CONTENT TOPICS EVALUATION CRITERIA 3rd Bimester

Leia mais

GERENCIAMENTO DA ROTINA DO TRABALHO DO DIA-A-DIA (EM PORTUGUESE DO BRASIL) BY VICENTE FALCONI

GERENCIAMENTO DA ROTINA DO TRABALHO DO DIA-A-DIA (EM PORTUGUESE DO BRASIL) BY VICENTE FALCONI Read Online and Download Ebook GERENCIAMENTO DA ROTINA DO TRABALHO DO DIA-A-DIA (EM PORTUGUESE DO BRASIL) BY VICENTE FALCONI DOWNLOAD EBOOK : GERENCIAMENTO DA ROTINA DO TRABALHO DO DIA-A- Click link bellow

Leia mais

Guião 4: Draw a Grid

Guião 4: Draw a Grid Guião 4: Draw a Grid Versão 1.1 INTRODUÇÃO O objectivo deste guião é que resolva um problema do concurso de programação ACM ICPC (International Collegiate Programming Contest). O problema escolhido é o

Leia mais

Laboratório de Algoritmos Avançados Capítulo 7

Laboratório de Algoritmos Avançados Capítulo 7 SCC-211 Lab. Algoritmos Avançados Capítulo 7 Teoria dos Números Adaptado por João Luís G. Rosa Introdução A Teoria dos Números é uma das mais bonitas e interessantes áreas da matemática. É o ramo da matemática

Leia mais

Número: Nome:

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

Leia mais

CODIGOS CONTROLE RS232 Matrix HDMI 4x4 Control EDID/RS232 (GB )

CODIGOS CONTROLE RS232 Matrix HDMI 4x4 Control EDID/RS232 (GB ) CODIGOS CONTROLE RS232 Matrix HDMI 4x4 Control EDID/RS232 (GB.44.2014) Versão 2013.05.21 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

Instituto Tecnológico de Aeronáutica

Instituto Tecnológico de Aeronáutica Instituto Tecnológico de Aeronáutica Programa de Pós-Graduação em Engenharia de Infraestrutura Aeronáutica Programa de Pós-Graduação em Engenharia Aeronáutica e Mecânica Prova de Seleção 1 o semestre de

Leia mais

As 100 melhores piadas de todos os tempos (Portuguese Edition)

As 100 melhores piadas de todos os tempos (Portuguese Edition) As 100 melhores piadas de todos os tempos (Portuguese Edition) Click here if your download doesn"t start automatically As 100 melhores piadas de todos os tempos (Portuguese Edition) As 100 melhores piadas

Leia mais

DESENV. E IMPLEMENTAÇÃO DE ALGORITMOS 29/09/2018. Este caderno contém 11 páginas com a descrição de 10 problemas definidos a seguir:

DESENV. E IMPLEMENTAÇÃO DE ALGORITMOS 29/09/2018. Este caderno contém 11 páginas com a descrição de 10 problemas definidos a seguir: DESENV. E IMPLEMENTAÇÃO DE ALGORITMOS 29/09/2018 Este caderno contém 11 páginas com a descrição de 10 problemas definidos a seguir: A Big Mod (Big Mod - Valladolid 374) B - Carmichael Numbers (Valladolid

Leia mais

Introdução A Delphi Com Banco De Dados Firebird (Portuguese Edition)

Introdução A Delphi Com Banco De Dados Firebird (Portuguese Edition) Introdução A Delphi Com Banco De Dados Firebird (Portuguese Edition) Ricardo De Moraes / André Luís De Souza Silva Click here if your download doesn"t start automatically Introdução A Delphi Com Banco

Leia mais

Editorial Review. Users Review

Editorial Review. Users Review Download and Read Free Online Java SE 8 Programmer I: O guia para sua certificação Oracle Certified Associate (Portuguese Edition) By Guilherme Silveira, Mário Amaral Editorial Review Users Review From

Leia mais

Como escrever para o Enem: roteiro para uma redação nota (Portuguese Edition)

Como escrever para o Enem: roteiro para uma redação nota (Portuguese Edition) Como escrever para o Enem: roteiro para uma redação nota 1.000 (Portuguese Edition) Arlete Salvador Click here if your download doesn"t start automatically Como escrever para o Enem: roteiro para uma redação

Leia mais

Rule Set Each player needs to build a deck of 40 cards, and there can t be unit of different faction on the same deck.

Rule Set Each player needs to build a deck of 40 cards, and there can t be unit of different faction on the same deck. Rule Set Each player needs to build a deck of 40 cards, and there can t be unit of different faction on the same deck. In a battle between two cards the wining card is the one that has more attack against

Leia mais

Medicina e Meditação - Um Médico Ensina a Meditar (Portuguese Edition)

Medicina e Meditação - Um Médico Ensina a Meditar (Portuguese Edition) Medicina e Meditação - Um Médico Ensina a Meditar (Portuguese Edition) Roberto Cardoso Click here if your download doesn"t start automatically Medicina e Meditação - Um Médico Ensina a Meditar (Portuguese

Leia mais

O paradoxo do contínuo

O paradoxo do contínuo V.A.s continuas O paradoxo do contínuo Seja X uma v.a. cujos valores possíveis formam um intervalo da reta [a,b] Temos uma situação paradoxal: Seja x qualquer valor específico em [a,b]. Por exemplo, x=0.2367123

Leia mais

Tutorial para Phred/Phrap/Consed Tutorial

Tutorial para Phred/Phrap/Consed Tutorial Tutorial para Phred/Phrap/Consed Tutorial Preparando a estrutura de diretórios O pacote vem com um script phredphrap que permite rodar automaticamente todos os programas necessários. O script pode ser

Leia mais

Polynomials Prasolov

Polynomials Prasolov Polynomials Prasolov Theorem 1.1.1 (Rouché). Let and be polynomials, and γ a closed curve without self-intersections in the complex plane. If for all γ, then inside γ there is an equal number of roots

Leia mais

O candomblé e seus orixás (Coleção Autoconhecimento) (Portuguese Edition)

O candomblé e seus orixás (Coleção Autoconhecimento) (Portuguese Edition) O candomblé e seus orixás (Coleção Autoconhecimento) (Portuguese Edition) Carlos Renato Assef Click here if your download doesn"t start automatically O candomblé e seus orixás (Coleção Autoconhecimento)

Leia mais

Gestão da comunicação - Epistemologia e pesquisa teórica (Portuguese Edition)

Gestão da comunicação - Epistemologia e pesquisa teórica (Portuguese Edition) Gestão da comunicação - Epistemologia e pesquisa teórica (Portuguese Edition) Maria Cristina Castilho Costa, Maria Aparecida Baccega Click here if your download doesn"t start automatically Download and

Leia mais

CSE 521: Design and Analysis of Algorithms I

CSE 521: Design and Analysis of Algorithms I CSE 521: Design and Analysis of Algorithms I Representative Problems Paul Beame 1 5 Representative Problems Interval Scheduling Single resource Reservation requests Of form Can I reserve it from start

Leia mais

PROVA DE EXATAS QUESTÕES EM PORTUGUÊS:

PROVA DE EXATAS QUESTÕES EM PORTUGUÊS: PROVA DE EXATAS QUESTÕES EM PORTUGUÊS: 1) Crie um programa (em alguma linguagem de programação que você conheça) que, dado N > 0 e uma seqüência de N números inteiros positivos, verifique se a seqüência

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

Certificação PMP: Alinhado com o PMBOK Guide 5ª edição (Portuguese Edition)

Certificação PMP: Alinhado com o PMBOK Guide 5ª edição (Portuguese Edition) Certificação PMP: Alinhado com o PMBOK Guide 5ª edição (Portuguese Edition) Armando Monteiro Click here if your download doesn"t start automatically Certificação PMP: Alinhado com o PMBOK Guide 5ª edição

Leia mais

Statecharts Yakindu Tool

Statecharts Yakindu Tool Statecharts Yakindu Tool 1 Agenda Introduction Installing Modeling Simulation Practice 2 https://www.itemis.com/en/yakindu/statechart-tools/ 3 Features Modeling Syntax checking Simulation Integration with

Leia mais

Bíblia do Obreiro - Almeida Revista e Atualizada: Concordância Dicionário Auxílios Cerimônias (Portuguese Edition)

Bíblia do Obreiro - Almeida Revista e Atualizada: Concordância Dicionário Auxílios Cerimônias (Portuguese Edition) Bíblia do Obreiro - Almeida Revista e Atualizada: Concordância Dicionário Auxílios Cerimônias (Portuguese Edition) Sociedade Bíblica do Brasil Click here if your download doesn"t start automatically Bíblia

Leia mais

Pesquisa Qualitativa do Início ao Fim (Métodos de Pesquisa) (Portuguese Edition)

Pesquisa Qualitativa do Início ao Fim (Métodos de Pesquisa) (Portuguese Edition) Pesquisa Qualitativa do Início ao Fim (Métodos de Pesquisa) (Portuguese Edition) Robert K. Yin Click here if your download doesn"t start automatically Pesquisa Qualitativa do Início ao Fim (Métodos de

Leia mais

VBA NA PRATICA PARA EXCEL PDF

VBA NA PRATICA PARA EXCEL PDF VBA NA PRATICA PARA EXCEL PDF ==> Download: VBA NA PRATICA PARA EXCEL PDF VBA NA PRATICA PARA EXCEL PDF - Are you searching for Vba Na Pratica Para Excel Books? Now, you will be happy that at this time

Leia mais

User Manual. Linksys PAP2 Broadband Phone Service. Linhagratuita grupo csdata

User Manual. Linksys PAP2 Broadband Phone Service. Linhagratuita grupo csdata User Manual Linksys PAP2 Broadband Phone Service Linhagratuita grupo csdata www.linhagratuita.com.br Please follow the step-by-step guide below to set up your Linksys PAP2 for use with Linhagratuita Broadband

Leia mais

Faculdade de Engenharia. Transmission Lines ELECTROMAGNETIC ENGINEERING MAP TELE 2007/2008

Faculdade de Engenharia. Transmission Lines ELECTROMAGNETIC ENGINEERING MAP TELE 2007/2008 Transmission ines EECTROMAGNETIC ENGINEERING MAP TEE 78 ast week eneral transmission line equations ( R jω)( G jωc) γ propaation constant and characteristic impedance finite transmission lines reflection

Leia mais

Second Exam 13/7/2010

Second Exam 13/7/2010 Instituto Superior Técnico Programação Avançada Second Exam 13/7/2010 Name: Number: Write your number on every page. Your answers should not be longer than the available space. You can use the other side

Leia mais

Gerenciamento Pelas Diretrizes (Portuguese Edition)

Gerenciamento Pelas Diretrizes (Portuguese Edition) Gerenciamento Pelas Diretrizes (Portuguese Edition) Vicente Falconi Click here if your download doesn"t start automatically Gerenciamento Pelas Diretrizes (Portuguese Edition) Vicente Falconi Gerenciamento

Leia mais

Abraçado pelo Espírito (Portuguese Edition)

Abraçado pelo Espírito (Portuguese Edition) Abraçado pelo Espírito (Portuguese Edition) Charles Swindoll Click here if your download doesn"t start automatically Abraçado pelo Espírito (Portuguese Edition) Charles Swindoll Abraçado pelo Espírito

Leia mais

Brasileiros: Como se viram nos EUA

Brasileiros: Como se viram nos EUA Brasileiros: Como se viram nos EUA Uma das maiores dificuldades que o imigrante brasileiro encontra nos Estados Unidos é a língua. Sem o domínio do inglês as oportunidades de crescimento e de sucesso nos

Leia mais

Comportamento Organizacional: O Comportamento Humano no Trabalho (Portuguese Edition)

Comportamento Organizacional: O Comportamento Humano no Trabalho (Portuguese Edition) Comportamento Organizacional: O Comportamento Humano no Trabalho (Portuguese Edition) John W. Newstrom Click here if your download doesn"t start automatically Comportamento Organizacional: O Comportamento

Leia mais

Writing Good Software Engineering Research Papers

Writing Good Software Engineering Research Papers Writing Good Software Engineering Research Papers Mary Shaw Proceedings of the 25th International Conference on Software Engineering, IEEE Computer Society, 2003, pp. 726-736. Agenda Introdução Questões

Leia mais

Gerenciamento Pelas Diretrizes (Portuguese Edition)

Gerenciamento Pelas Diretrizes (Portuguese Edition) Gerenciamento Pelas Diretrizes (Portuguese Edition) Vicente Falconi Click here if your download doesn"t start automatically Gerenciamento Pelas Diretrizes (Portuguese Edition) Vicente Falconi Gerenciamento

Leia mais

CIS 500 Software Foundations Fall September(continued) IS 500, 8 September(continued) 1

CIS 500 Software Foundations Fall September(continued) IS 500, 8 September(continued) 1 CIS 500 Software Foundations Fall 2003 8 September(continued) IS 500, 8 September(continued) 1 Polymorphism This version of issaidtobepolymorphic,becauseitcanbeapplied to many different types of arguments.

Leia mais

LEITURA SUPER RáPIDA (PORTUGUESE EDITION) BY AK JENNINGS

LEITURA SUPER RáPIDA (PORTUGUESE EDITION) BY AK JENNINGS Read Online and Download Ebook LEITURA SUPER RáPIDA (PORTUGUESE EDITION) BY AK JENNINGS DOWNLOAD EBOOK : LEITURA SUPER RáPIDA (PORTUGUESE EDITION) BY AK Click link bellow and free register to download

Leia mais