EE 361L Implementation Notes for Subproject 1

Tamaño: px
Comenzar la demostración a partir de la página:

Download "EE 361L Implementation Notes for Subproject 1"

Transcripción

1 EE 361L Implementation Notes for Subproject 1 You are to implement the pipelined MIPSL so that it can execute the instructions: add addi beq Assume the controller of the pipelined MIPSL works according to state diagram shown in Figure 1. Reset Instruction Fetch State 0 Insert Bubble PC = PC+2 Instruction Decode State 1 Stall PC State 2 Stall PC Insert Bubble Figure 1. Controller State State 3 Insert Bubble Stall PC or Possibly PC = Branch Target Address State 0, Instruction fetch During this state, the instruction is fetched in the instruction fetch stage: The processor will read in the instruction pointed to by the program counter (PC). Note that the instruction is always loaded into the IF/ID pipeline register, which is to be used in the next stage. The PC is incremented by 2. A bubble is sent into ID/EX pipeline register so that the datapath doesn t do anything downstream along the pipeline State 1, Instruction decode During this stage, the instruction is decoded in the instruction decode stage. Note that we have the instruction and its opcode in the IF/ID pipeline register. The opcode is an input into the Controller. Given the opcode value, the Controller will determine what is the current instruction and then set its outputs so that the datapath will execute that instruction. o These outputs are RegWrite, RegDst, ALU_Select, ALUSrc, MemRead, MemWrite, MemtoReg, and Branch. These output signals are sent to the ID/EX pipeline register. The PC is stalled, i.e., hold its value. State 2, Execute During this state, the instruction is being executed (e.g., by the ALU) in the execute stage. The controller has to

2 Stall the PC, just as in state 1, since we re still processing the current instruction. Insert a bubble into the ID/EX pipeline register, so that there are no other instruction in the pipeline. State 3, Memory access During this state, the instruction is in the memory access stage. In this stage, the instruction will access memory. In addition, if the instruction is a conditional branch, and in particular beq, then the branch target address is loaded into the PC. The controller has to Update PC o If Branch = 1 and Zero = 1 then PC = Branch Target Address o Else PC is stalled Insert a bubble into the ID/EX pipeline register, so that there are no other instruction in the pipeline That completes the description of the four states of the controller. Note that in the pipelined MIPS, there is a stage 5, which is the write back stage. Note that we have not considered this stage in four states of the controller. However, we do not need an additional state 4 for the write back stage because the register file is triggered on a negative clock edge. Thus, the register file is written back between state 3 ( memory access ) and state 0 (the next instruction fetch ). Figure 2 is an example of the timing involved with the four states of the controller. Instruction fetch IF/ID = instr ID/EX = bubble PC = PC + 2 ID/EX = control PC stall EX/MEM = control ID/EX = bubble PC stall MEM/WB = control PC = target branch address (possibly) else PC stall ID/EX = bubble State 0 State 1 Instr decode State 2 Execute stage Figure 2. Timing example. State 3 Memory access and possibly branch State 0 Instruction fetch of next instruction Register write in the middle of the clock period

3 The following table shows the timing agan. Table 1. Timing of states. State 0 State 1 State 2 State 3 State 0 PC PC = PC + 2 PC stall (hold) PC stall PC = branch if PC = PC + 2 branch and zero = 1 Else PC stall ID/EX Bubble Control Bubble Bubble Bubble IF/ID instr ID/EX instr EX/MEM instr MEM/WB instr write back You are to complete the MIPSL pipelined processer so that it can run the program in IM1New.V. Recall that it multiplies 3 by 5. Address Instruction 0 L0: addi $2,$0,3 # Initialize $2 with 3. $2 is used as a counter 2 add $4,$0,$0 # Clear $4. $4 will be used to compute the product 4 L1: beq $2,$0,L0 # This loop will keep adding 5 to register $4 until counter $2 is 0 6 addi $4,$4,5 8 addi $2,$2, 1 # Decrement the counter 10 beq $0,$0,L1 Your PMIPSL0 should run with test bench file testbenchsub1.v. Note that your project should have testbenchsub1.v the testbench MIPS Parts.V parts of the MIPSL processor Control.V controller PMPLS0.V MIPSL processor IM1New.V the program that calculates 3 x 5 You can find the testbenchsub1.v and IM1New.V files in the same folder as the current document. In Appendix A there is a trace from a simulation run using an old simulator called veriwell. Also, the PMIPSL0 is different because the instruction set was different. But take a look and see what a simulation run looks like Hints You are allowed to make changes to the datapath and controller, as long as the basic datapath structure of five pipeline stages is preserved. These stages are instruction fetch, instruction decode, execute, memory access, and write back.

4 Hint 1: Rather than have a simple register for the PC counter, use a register that has more functions. In particular, it can have the following functions: PC = 0, for reset PC stall, which is a hold PC = Target branch address PC = PC+2 This circuit is a sequential circuit. It can be implemented with a 2 bit select, which is controlled by the controller. We will refer to this circuit as the PC logic. Your PC logic doesn t have to be like this, but this should give you an idea anyway. For example, the select can be different than a 2 bit select. It may be useful to have a different select to implement reset. Hint 2: The controller will have inputs from opcode field of IF/ID and the zero bit from EX/MEM. It may have other inputs too. It s outputs are control signals to the ID/EX register and the 2 bit select to the PC logic. Hint 3: Recall that a bubble into ID/EX implies that the controls for any write enables should be zero. Hint 4: Note that the controller that you are given may have problems. But it ll give you an idea of what to do. Remember that it is basically a 2 bit counter that continually goes through states 0, 1, 2, 3, 0,... It s outputs depend on its inputs and current state. Hint 5: Your processor should have a reset input. This will clear the PC and clear the controller to state 0.

5 Hint 6: When testbenching your circuit, you will likely want to displays signals within your circuit. For example, consider the following testbench of the circuit called CircuitX. module textbench; reg a,b,c; reg clock; wire y; initial clock = 0; always #1 clock = ~clock; CircuitX c1(y, clock, a, b, c); intial begin a= 0; b = 0; c = 0; # 4 a = 1; #2 b = 1; # 2 c = 1; # 2 $stop; end initial $monitor( a=%d, b=%d, c=%d, y=%d clock=%d\n,a,b,c,y,clock); endmodule If there is a bug in CircuitX you cannot display signals within the circuit. Next is a simple (but crude) method to display signals within the circuit. Modify the CircuitX module by adding an output. Then the output is attached to signals within the circuit module. module CircuitX(y, clock, a, b, c, probe)... the input and output declarations as before output [3:0] probe; assign probe[3:2] = signal 1; assign probe[1:0] = signal 2;... the rest of the module endmodule

6 The testbench will be modified below. module textbench; reg a,b,c; reg clock; wire y; wire [3:0] probe; initial clock = 0; always #1 clock = ~clock; CircuitX c1(y, clock, a, b, c, probe); intial begin a= 0; b = 0; c = 0; # 4 a = 1; #2 b = 1; # 2 c = 1; # 2 $stop; end initial $monitor( a=%d, b=%d, c=%d, y=%d clock=%d\n, signal1=%d, signal2=%d,a,b,c,y,clock,probe[3:2],probe[1:0]); endmodule Hint 7: Note that $time is a variable that equals the current time of the simulation. This can be a useful value to display.

7 Appendix A Example trace The following is output of veriwell when running the testbench. C1>. IMem(PC,Instr),ALU(Output), Dmem(Addr) [Clock,Reset] PC( x, ) ALU( x) Dmem( x) [0,1] Reset PC( 0, ) ALU( x) Dmem( x) [1,1] L0: addi $2,$0,3 PC( 0, ) ALU( x) Dmem( x) [0,0] PC( 2, ) ALU( 0) Dmem( x) [1,0] PC( 2, ) ALU( 0) Dmem( x) [0,0] PC( 2, ) ALU( 3) Dmem( 0) [1,0] PC( 2, ) ALU( 3) Dmem( 0) [0,0] PC( 2, ) ALU( 0) Dmem( 3) [1,0] PC( 2, ) ALU( 0) Dmem( 3) [0,0] PC( 2, ) ALU( 0) Dmem( 0) [1,0] add $4,$0,$0 PC( 2, ) ALU( 0) Dmem( 0) [0,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] PC( 4, ) ALU( 3) Dmem( 0) [1,0] PC( 4, ) ALU( 3) Dmem( 0) [0,0] PC( 4, ) ALU( 3) Dmem( 3) [1,0] L1: beq $2,$0,L0 PC( 4, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 3) Dmem( 3) [1,0] PC( 6, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 3) Dmem( 3) [1,0] PC( 6, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 0) Dmem( 3) [1,0] PC( 6, ) ALU( 0) Dmem( 3) [0,0] PC( 6, ) ALU( 0) Dmem( 0) [1,0] addi $4,$4,5 PC( 8, ) ALU( 0) Dmem( 0) [1,0] PC( 8, ) ALU( 0) Dmem( 0) [0,0] PC( 8, ) ALU( 5) Dmem( 0) [1,0] product being updated PC( 8, ) ALU( 5) Dmem( 0) [0,0] PC( 8, ) ALU( 6) Dmem( 5) [1,0] PC( 8, ) ALU( 6) Dmem( 5) [0,0] PC( 8, ) ALU( 6) Dmem( 6) [1,0] addi $2,$2, 1 PC( 8, ) ALU( 6) Dmem( 6) [0,0] PC( 10, ) ALU( 6) Dmem( 6) [1,0] PC( 10, ) ALU( 6) Dmem( 6) [0,0] PC( 10, ) ALU( 2) Dmem( 6) [1,0] PC( 10, ) ALU( 2) Dmem( 6) [0,0]

8 PC( 10, ) ALU( 0) Dmem( 2) [1,0] PC( 10, ) ALU( 0) Dmem( 2) [0,0] PC( 10, ) ALU( 0) Dmem( 0) [1,0] beq $0,$0,L1 PC( 10, ) ALU( 0) Dmem( 0) [0,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] L1: beq $2,$0,L0 PC( 6, ) ALU( 0) Dmem( 0) [1,0] PC( 6, ) ALU( 2) Dmem( 0) [1,0] PC( 6, ) ALU( 2) Dmem( 0) [0,0] PC( 6, ) ALU( 10) Dmem( 2) [1,0] PC( 6, ) ALU( 10) Dmem( 2) [0,0] PC( 6, ) ALU( 10) Dmem( 10) [1,0] addi $4,$4,5 PC( 6, ) ALU( 10) Dmem( 10) [0,0] PC( 8, ) ALU( 10) Dmem( 10) [1,0] PC( 8, ) ALU( 10) Dmem( 10) [0,0] PC( 8, ) ALU( 10) Dmem( 10) [1,0] product being updated PC( 8, ) ALU( 10) Dmem( 10) [0,0] PC( 8, ) ALU( 4) Dmem( 10) [1,0] PC( 8, ) ALU( 4) Dmem( 10) [0,0] PC( 8, ) ALU( 4) Dmem( 4) [1,0] addi $4,$4, 1 PC( 8, ) ALU( 4) Dmem( 4) [0,0] PC( 10, ) ALU( 4) Dmem( 4) [1,0] PC( 10, ) ALU( 4) Dmem( 4) [0,0] PC( 10, ) ALU( 1) Dmem( 4) [1,0] PC( 10, ) ALU( 1) Dmem( 4) [0,0] PC( 10, ) ALU( 0) Dmem( 1) [1,0] PC( 10, ) ALU( 0) Dmem( 1) [0,0] PC( 10, ) ALU( 0) Dmem( 0) [1,0] beq $0,$0,L1 PC( 10, ) ALU( 0) Dmem( 0) [0,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] L1: beq $2,$0,L0 PC( 6, ) ALU( 0) Dmem( 0) [1,0] PC( 6, ) ALU( 1) Dmem( 0) [1,0] PC( 6, ) ALU( 1) Dmem( 0) [0,0]

9 PC( 6, ) ALU( 20) Dmem( 1) [1,0] PC( 6, ) ALU( 20) Dmem( 1) [0,0] PC( 6, ) ALU( 20) Dmem( 20) [1,0] addi $4,$4,5 PC( 6, ) ALU( 20) Dmem( 20) [0,0] PC( 8, ) ALU( 20) Dmem( 20) [1,0] PC( 8, ) ALU( 20) Dmem( 20) [0,0] PC( 8, ) ALU( 15) Dmem( 20) [1,0] product being updated PC( 8, ) ALU( 15) Dmem( 20) [0,0] PC( 8, ) ALU( 2) Dmem( 15) [1,0] PC( 8, ) ALU( 2) Dmem( 15) [0,0] PC( 8, ) ALU( 2) Dmem( 2) [1,0] addi $2,$2, 1 PC( 8, ) ALU( 2) Dmem( 2) [0,0] PC( 10, ) ALU( 2) Dmem( 2) [1,0] PC( 10, ) ALU( 2) Dmem( 2) [0,0] PC( 10, ) ALU( 0) Dmem( 2) [1,0] PC( 10, ) ALU( 0) Dmem( 2) [0,0] PC( 10, ) ALU( 0) Dmem( 0) [1,0] PC( 10, ) ALU( 0) Dmem( 0) [0,0] PC( 10, ) ALU( 0) Dmem( 0) [1,0] beq $0,$0,L1 PC( 10, ) ALU( 0) Dmem( 0) [0,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] L1: beq $2,$0,L0 PC( 6, ) ALU( 0) Dmem( 0) [1,0] PC( 6, ) ALU( 0) Dmem( 0) [1,0] PC( 6, ) ALU( 30) Dmem( 0) [1,0] PC( 6, ) ALU( 30) Dmem( 0) [0,0] PC( 0, ) ALU( 30) Dmem( 30) [1,0] L0: addi $2,$0,3 PC( 0, ) ALU( 30) Dmem( 30) [0,0] PC( 2, ) ALU( 30) Dmem( 30) [1,0] PC( 2, ) ALU( 30) Dmem( 30) [0,0] PC( 2, ) ALU( 3) Dmem( 30) [1,0] PC( 2, ) ALU( 3) Dmem( 30) [0,0] PC( 2, ) ALU( 0) Dmem( 3) [1,0] PC( 2, ) ALU( 0) Dmem( 3) [0,0] add $3,$0,$0 PC( 2, ) ALU( 0) Dmem( 0) [1,0] PC( 2, ) ALU( 0) Dmem( 0) [0,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0] PC( 4, ) ALU( 0) Dmem( 0) [1,0]

10 PC( 4, ) ALU( 3) Dmem( 0) [1,0] PC( 4, ) ALU( 3) Dmem( 0) [0,0] PC( 4, ) ALU( 3) Dmem( 3) [1,0] L1: beq $2,$0,L0 PC( 4, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 3) Dmem( 3) [1,0] PC( 6, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 3) Dmem( 3) [1,0] PC( 6, ) ALU( 3) Dmem( 3) [0,0] PC( 6, ) ALU( 0) Dmem( 3) [1,0] PC( 6, ) ALU( 0) Dmem( 3) [0,0] PC( 6, ) ALU( 0) Dmem( 0) [1,0] addi $4,$4,5 PC( 8, ) ALU( 0) Dmem( 0) [1,0] PC( 8, ) ALU( 0) Dmem( 0) [0,0] PC( 8, ) ALU( 5) Dmem( 0) [1,0] product being updated PC( 8, ) ALU( 5) Dmem( 0) [0,0] PC( 8, ) ALU( 6) Dmem( 5) [1,0] Stop at simulation time 152 C1>

Organización del Computador I Verano. Control Multiciclo. Basado en el capítulo 5 del libro de Patterson y Hennessy

Organización del Computador I Verano. Control Multiciclo. Basado en el capítulo 5 del libro de Patterson y Hennessy Organización del Computador I Verano Control Multiciclo Basado en el capítulo 5 del libro de Patterson y Hennessy Verano 2014 Profesora Borensztejn Resumen Step name Instruction fetch Instruction decode/register

Más detalles

Flip-flops. Luis Entrena, Celia López, Mario García, Enrique San Millán. Universidad Carlos III de Madrid

Flip-flops. Luis Entrena, Celia López, Mario García, Enrique San Millán. Universidad Carlos III de Madrid Flip-flops Luis Entrena, Celia López, Mario García, Enrique San Millán Universidad Carlos III de Madrid 1 igital circuits and microprocessors Inputs Output Functions Outputs State Functions State Microprocessor

Más detalles

CONTROLADORA PARA PIXELS CONPIX

CONTROLADORA PARA PIXELS CONPIX The LedEdit Software Instructions 1, Install the software to PC and open English version: When we installed The LedEdit Software, on the desktop we can see following icon: Please Double-click it, then

Más detalles

Decodificador de funciones v.2

Decodificador de funciones v.2 Decodificador de funciones v.. Introducción Este decodificador de funciones posee cuatro salidas para activar luces, fumígeno, etc. Dirección de locomotoras corta y larga hasta 9999 Control de las salidas

Más detalles

Lecture 8. Computer Decisions

Lecture 8. Computer Decisions Lecture 8 Computer Decisions 1 ASIDE Instructions Involving Index Register X Instructions involving X always involve two bytes, or 16-bits. For example, LDX $1000, will load X with the byte located at

Más detalles

MIPS: Modelo de programación. (I Parte)

MIPS: Modelo de programación. (I Parte) MIPS: Modelo de programación (I Parte) MIPS: Microprocessor without Interlocked Pipeline Stages Trabajaremos como MIPS Son similares a las desarrolladas en los años 80 Cerca de 100 millones de procesadores

Más detalles

Proyecto de Funciones Racionales

Proyecto de Funciones Racionales Proyecto de Funciones Racionales Prepa Tec Campus Cumbres Montse Canales A01570448 Daniela Willman A01570642 Rational Functions Project Project for Rational Functions: Goal: Analyze a Rational Functions

Más detalles

Using Gustar to Express Likes and Dislikes

Using Gustar to Express Likes and Dislikes Using Gustar to Express Likes and Dislikes We do not express likes and dislikes the same way in Spanish and English. In the English sentence, the subject is the one that likes something. In the Spanish

Más detalles

IJVM Instructions. Computer Architecture The instruction opcode is 8 bit wide. Offsets are 16 bits wide (stored in two consecutive bytes)

IJVM Instructions. Computer Architecture The instruction opcode is 8 bit wide. Offsets are 16 bits wide (stored in two consecutive bytes) (1) IJVM Instructions The instruction opcode is 8 bit wide Offsets are 16 bits wide (stored in two consecutive bytes) For IINC varnum and const are each 8 bits wide (cannot use WIDE) Variable references

Más detalles

Guapo Using Ser and Tener to Describe People

Guapo Using Ser and Tener to Describe People Guapo Using Ser and Tener to Describe People This document teaches the central piece of grammar in Guapo how to describe people using the verbs ser and tener as seen in these lyrics: Soy guapo. Tiene ojos

Más detalles

Pipeline (Segmentación)

Pipeline (Segmentación) Pipeline (Segmentación) Segmentación (Pipeline) Es una técnica de implementación por medio de la cual se puede traslapar la ejecución de instrucciones. En la actualidad la segmentación es una de las tecnologías

Más detalles

EL PODER DEL PENSAMIENTO FLEXIBLE DE UNA MENTE RAGIDA A UNA MENTE LIBRE Y ABIERTA AL CAMBIO BIBLIOTECA WALTER

EL PODER DEL PENSAMIENTO FLEXIBLE DE UNA MENTE RAGIDA A UNA MENTE LIBRE Y ABIERTA AL CAMBIO BIBLIOTECA WALTER EL PODER DEL PENSAMIENTO FLEXIBLE DE UNA MENTE RAGIDA A UNA MENTE LIBRE Y ABIERTA AL CAMBIO BIBLIOTECA WALTER READ ONLINE AND DOWNLOAD EBOOK : EL PODER DEL PENSAMIENTO FLEXIBLE DE UNA MENTE RAGIDA A UNA

Más detalles

Agustiniano Ciudad Salitre School Computer Science Support Guide - 2015 Second grade First term

Agustiniano Ciudad Salitre School Computer Science Support Guide - 2015 Second grade First term Agustiniano Ciudad Salitre School Computer Science Support Guide - 2015 Second grade First term UNIDAD TEMATICA: INTERFAZ DE WINDOWS LOGRO: Reconoce la interfaz de Windows para ubicar y acceder a los programas,

Más detalles

Making comparisons. In this slide show, we ll look at ways of expressing differences and similarities.

Making comparisons. In this slide show, we ll look at ways of expressing differences and similarities. Making comparisons In this slide show, we ll look at ways of expressing differences and similarities. Three cases Look at these three sentences: Fred is as tall as John. Fred is taller than Bob. Fred is

Más detalles

USER MANUAL LOGAN CAM VIEW FOR PC LOGAN CAM VIEW PARA PC English / Español

USER MANUAL LOGAN CAM VIEW FOR PC LOGAN CAM VIEW PARA PC English / Español USER MANUAL LOGAN CAM VIEW FOR PC LOGAN CAM VIEW PARA PC English / Español ENGLISH SECTION PC Installation 1. Download the application Logan Cam View for PC through the following link: https://support.logan-cam.com/hc/enus/articles/115000940287-logan-cam-view

Más detalles

Adjectives; Demonstrative

Adjectives; Demonstrative Adjectives; Demonstrative I. Introduction The demonstrative adjectives in English are this, that, these, and those. They are used to point out specific people or things. In Spanish the demonstrative adjectives

Más detalles

Sesión 3: PL 2b: Sistema para la adquisición de señales analógicas.

Sesión 3: PL 2b: Sistema para la adquisición de señales analógicas. Sesión 3: PL 2b: Sistema para la adquisición de señales analógicas. 1 Objetivo... 3 Signal Logging Basics... 3 Configure File Scope (xpc) Blocks... 3 File Scope Usage... 4 Create File Scopes Using xpc

Más detalles

Pregunta 1 Suponga que una muestra de 35 observaciones es obtenida de una población con media y varianza. Entonces la se calcula como.

Pregunta 1 Suponga que una muestra de 35 observaciones es obtenida de una población con media y varianza. Entonces la se calcula como. Universidad de Costa Rica Programa de Posgrado en Computación e Informática Doctorado en Computación e Informática Curso Estadística 18 de febrero 2013 Nombre: Segundo examen corto de Probabilidad Pregunta

Más detalles

Manual para Cambio de Apariencia en Acrobat Reader DC. Change of Appearance in Acrobat Reader DC

Manual para Cambio de Apariencia en Acrobat Reader DC. Change of Appearance in Acrobat Reader DC Manual para Cambio de Apariencia en Acrobat Reader DC Change of Appearance in Acrobat Reader DC Desarrollado por: DTE, LLC Versión: 02.2016 Developed by: DTE, LLC Revisado en:25 de Octubre de 2016 support@dtellcpr.com

Más detalles

Los números. 0 cero 1 uno / un 2 dos 3 tres 4 cuatro. 6 seis 7 siete 8 ocho 9 nueve 10 diez 5 cinco

Los números. 0 cero 1 uno / un 2 dos 3 tres 4 cuatro. 6 seis 7 siete 8 ocho 9 nueve 10 diez 5 cinco 53 31 16 0 cero 1 uno / un 2 dos 3 tres 4 cuatro 6 seis 7 siete 8 ocho 9 nueve 10 diez 5 cinco 11 - once 12 - doce 13 - trece 14 - catorce 17 - diecisiete 18 - dieciocho 19 - diecinueve 20 - veinte 15

Más detalles

Repaso de funciones exponenciales y logarítmicas. Review of exponential and logarithmic functions

Repaso de funciones exponenciales y logarítmicas. Review of exponential and logarithmic functions Repaso de funciones exponenciales y logarítmicas Review of exponential and logarithmic functions Las funciones lineales, cuadráticas, polinómicas y racionales se conocen como funciones algebraicas. Las

Más detalles

PROYECTO FAMILIAR: SUDODDKU PROYECTO FAMILIAR. UCI Math CEO Meeting 4 (FEBRUARY 8, 2017) Estimado estudiante,

PROYECTO FAMILIAR: SUDODDKU PROYECTO FAMILIAR. UCI Math CEO Meeting 4 (FEBRUARY 8, 2017) Estimado estudiante, Family project PROYECTO FAMILIAR PROYECTO FAMILIAR: S O 9 4 5 SUOKU U 3 Estimado estudiante, por favor completa esta actividad y tra tu respuesta el miércoles 15 de febrero. Podrás participar en rifas!

Más detalles

El Jardín de la Memoria (El adepto de la Reina nº 2) (Spanish Edition)

El Jardín de la Memoria (El adepto de la Reina nº 2) (Spanish Edition) El Jardín de la Memoria (El adepto de la Reina nº 2) (Spanish Edition) Rodolfo Martínez Click here if your download doesn"t start automatically Download and Read Free Online El Jardín de la Memoria (El

Más detalles

Shortcut to Informal Spanish Conversations Level 2 Lesson 1

Shortcut to Informal Spanish Conversations Level 2 Lesson 1 Shortcut to Informal Spanish Conversations Level 2 Lesson 1 These lessons extend on the ideas from Shortcut to Informal Spanish Conversations Level 1 http://www.informalspanish.com and Shortcut to Spanish

Más detalles

Might. Área Lectura y Escritura. In order to understand the use of the modal verb might we will check some examples:

Might. Área Lectura y Escritura. In order to understand the use of the modal verb might we will check some examples: Might Área Lectura y Escritura Resultados de aprendizaje Conocer el uso del verbo modal might. Aplicar el verbo modal might en ejercicios de escritura. Contenidos 1. Verbo modal might. Debo saber - Verbos

Más detalles

Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition)

Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition) Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition) Leo Socolovsky Click here if your download doesn"t start automatically Sabes cuanto deja tu negocio?: Completa guia

Más detalles

Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition)

Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition) Sabes cuanto deja tu negocio?: Completa guia Pymes y emprendedores (Spanish Edition) Leo Socolovsky Click here if your download doesn"t start automatically Sabes cuanto deja tu negocio?: Completa guia

Más detalles

MANUAL DE INSTRUCCIONES / USER'S GUIDE VD31

MANUAL DE INSTRUCCIONES / USER'S GUIDE VD31 MANUAL DE INSTRUCCIONES / USER'S GUIDE VD31 ESP AJUSTE DE LA POSICIÓN DE LA HORA DUAL - Después de configurar o de cambiar la batería, antes de configurar la hora, verifique si la aguja de hora dual está

Más detalles

Sesión 4: Practica PL 2c. Análisis de señales para el control de motor CC: Generación de señales PWM.

Sesión 4: Practica PL 2c. Análisis de señales para el control de motor CC: Generación de señales PWM. Sesión 4: Practica PL 2c. Análisis de señales para el control de motor CC: Generación de señales PWM. Objetivo... 2 Tune Parameters Using xpc Target Explorer... 3 Monitor Signals Using xpc Target Explorer...

Más detalles

Mic-1: Microarchitecture. IJVM Instructions NOP. Computer Architecture WS January 2006 B+1. University of Fribourg, Switzerland

Mic-1: Microarchitecture. IJVM Instructions NOP. Computer Architecture WS January 2006 B+1. University of Fribourg, Switzerland Mic-1: Microarchitecture IJVM Instructions The instruction opcode is 8 bit wide University of Fribourg, Switzerland System I: Introduction to Computer Architecture WS 2005-2006 25. January 2006 Offsets

Más detalles

AUTOMATISMOS PRÁCTICAS DE PROGRAMACIÓN S7300 EN LENGUAJE DE CONTACTOS KOP

AUTOMATISMOS PRÁCTICAS DE PROGRAMACIÓN S7300 EN LENGUAJE DE CONTACTOS KOP AUTOMATISMOS 5º Ingeniero de Telecomunicación Curso 2003/2004 PRÁCTICAS DE PROGRAMACIÓN S7300 EN LENGUAJE DE CONTACTOS KOP 1. Control de motores 2. Control de Válvulas 3. Guía de selección de temporizadores

Más detalles

Flashcards Series 5 El Agua

Flashcards Series 5 El Agua Flashcards Series 5 El Agua Flashcards are one of the quickest and easiest ways to test yourself on Spanish vocabulary, no matter where you are! Test yourself on just these flashcards at first. Then, as

Más detalles

CONTROL DE ACCESO ACC4.NET

CONTROL DE ACCESO ACC4.NET CONTROL DE ACCESO ACC4.NET Release 6.8 Aliar11 SRL soporte@aliar11.com.uy tel:2622 6565 CARACTERISTICAS PRINCIPALES 1 Control de acceso profesional, para oficinas y edificios de multiples accesos, puertas

Más detalles

Los nombres originales de los territorios, sitios y accidentes geograficos de Colombia (Spanish Edition)

Los nombres originales de los territorios, sitios y accidentes geograficos de Colombia (Spanish Edition) Los nombres originales de los territorios, sitios y accidentes geograficos de Colombia (Spanish Edition) Click here if your download doesn"t start automatically Los nombres originales de los territorios,

Más detalles

Indirect Object Pronouns

Indirect Object Pronouns Indirect Object Pronouns We ve seen three types of pronouns so far: Subject: yo, tú, él Reflexive: me, te, se Direct object: me, te, lo, la In this slide show, we are going to look at one more type: indirect

Más detalles

TELEVISOR A COLORES MANUAL DE SERVICIO MODELO : CP-29C40P. ATENCIÓN Antes de dar servicio al chasis, lea las PRECAUCIONES DE SEGURIDAD en este manual.

TELEVISOR A COLORES MANUAL DE SERVICIO MODELO : CP-29C40P. ATENCIÓN Antes de dar servicio al chasis, lea las PRECAUCIONES DE SEGURIDAD en este manual. LG TELEVISOR A COLORES MANUAL DE SERVICIO CHASIS : MC-53A MODELO : CP-29C40P ATENCIÓN Antes de dar servicio al chasis, lea las PRECAUCIONES DE SEGURIDAD en este manual. - 1 - - 2 - - 3 - - 4 - - 1 - -

Más detalles

Operaciones y procesos en los servicios de bar y cafeteria (Spanish Edition)

Operaciones y procesos en los servicios de bar y cafeteria (Spanish Edition) Operaciones y procesos en los servicios de bar y cafeteria (Spanish Edition) Roser Vives Serra, Gonzalo Herrero Arroyo Click here if your download doesn"t start automatically Operaciones y procesos en

Más detalles

ENERGíA DE FUTURO: LA SALUD EN TUS MANOS CON LA ENERGíA BI QUIX D'FU (SPANISH EDITION) BY SALVADOR LIZANA BARBA

ENERGíA DE FUTURO: LA SALUD EN TUS MANOS CON LA ENERGíA BI QUIX D'FU (SPANISH EDITION) BY SALVADOR LIZANA BARBA Read Online and Download Ebook ENERGíA DE FUTURO: LA SALUD EN TUS MANOS CON LA ENERGíA BI QUIX D'FU (SPANISH EDITION) BY SALVADOR LIZANA BARBA DOWNLOAD EBOOK : ENERGíA DE FUTURO: LA SALUD EN TUS MANOS

Más detalles

El lenguaje de la pasion (Spanish Edition)

El lenguaje de la pasion (Spanish Edition) El lenguaje de la pasion (Spanish Edition) Mario Vargas Llosa Click here if your download doesn"t start automatically El lenguaje de la pasion (Spanish Edition) Mario Vargas Llosa El lenguaje de la pasion

Más detalles

Person: Place: Thing: Idea:

Person: Place: Thing: Idea: GENDER OF NOUNS What is a Noun? A noun is a word used to denote a person, place, thing, or idea. Person: John, girl, dentist Place: garden, university, Venezuela Thing: book, car, tomato Idea: liberty,

Más detalles

Añadir para firmar digitalmente documentos EDE. Add digital signatures to EDE documents

Añadir para firmar digitalmente documentos EDE. Add digital signatures to EDE documents Añadir para firmar digitalmente documentos EDE Add digital signatures to EDE documents Desarrollado por: DTE, LLC Versión: 01.2017 Developed by: DTE, LLC Revisado en: 27 de Marzo de 201 support@dtellcpr.com

Más detalles

(backward verbs) When you conjugate a backward verb, you need to look at what comes it in order to know which verb ending to use.

(backward verbs) When you conjugate a backward verb, you need to look at what comes it in order to know which verb ending to use. (backward verbs) In both Spanish and English, we usually say we are talking about before we say that person is doing. For example: Sally sees a snake! Mi mamá lee un libro. Yo miro la televisión. Jemma

Más detalles

Tiding with a double nut all together.

Tiding with a double nut all together. Instrucciones para el material de práctica y uso del Reloj y La Hora para utilizarse en centros. 1. Imprima todo el material siguiente en cartonite tamaño 8.5 x 11 y corte las tarjetas en las líneas continuas

Más detalles

Guía de instalación rápida TE100-P1U

Guía de instalación rápida TE100-P1U Guía de instalación rápida TE100-P1U V2 Table of Contents Español 1 1. Antes de iniciar 1 2. Cómo se instala 2 3. Configuración del servidor de impresora 3 4. Añadir la impresora a su PC 5 Troubleshooting

Más detalles

Learning Spanish Like Crazy. Spoken Spanish Lección Uno. Listen to the following conversation. Male: Hola Hablas inglés? Female: Quién?

Learning Spanish Like Crazy. Spoken Spanish Lección Uno. Listen to the following conversation. Male: Hola Hablas inglés? Female: Quién? Learning Spanish Like Crazy Spoken Spanish Lección Uno. Listen to the following conversation. Male: Hola Hablas inglés? Female: Quién? Male: Tú. Hablas tú inglés? Female: Sí, hablo un poquito de inglés.

Más detalles

Greetings. Lists and TPR Sheets The Enlightened Elephant

Greetings. Lists and TPR Sheets The Enlightened Elephant Greetings Lists and TPR Sheets Total Physical Response Vocabulary Practice The set of pages with images are the TPR (Total Physical Response) picture pages. They are available with or without words and

Más detalles

Cantemos Las Posadas - Contiene Villancicos, Cánticos para Pedir la Piñata, Letanía y todo para la Temporada Navideña. (Corazón Renovado)

Cantemos Las Posadas - Contiene Villancicos, Cánticos para Pedir la Piñata, Letanía y todo para la Temporada Navideña. (Corazón Renovado) Cantemos Las Posadas - Contiene Villancicos, Cánticos para Pedir la Piñata, Letanía y todo para la Temporada Navideña. (Corazón Renovado) Tradiciones Mexicanas Click here if your download doesn"t start

Más detalles

WebForms con LeadTools

WebForms con LeadTools WebForms con LeadTools 21.01.2007 Danysoft Con la aparición de la version 15 de LEADTOOLS, LEAD ha incluido un control.net para la gestión de formularios en la Web. A continuación le incluimos unas instrucciones

Más detalles

Procesador Segmentado

Procesador Segmentado Organización del Computador I Verano Procesador Segmentado Basado en el capítulo 4 del libro de Patterson y Hennessy Verano 2014 Profesora Borensztejn Segmentación Descompone una determinada operación

Más detalles

Arquitectura de Computadores II Clase #5

Arquitectura de Computadores II Clase #5 Arquitectura de Computadores II Clase #5 Facultad de Ingeniería Universidad de la República Instituto de Computación Curso 2010 Algunas ideas para mejorar el rendimiento Obvio: incrementar la frecuencia

Más detalles

Fun with infinitives

Fun with infinitives Fun with infinitives Fun with Infinitives Infinitives in Spanish are unassigned actions that when translated into English always start with the word to. Spanish- CANTAR English- to sing Fun with Infinitives

Más detalles

Los seres vivos/ living things. CONOCIMIENTO DEL MEDIO 3º DE PRIMARIA

Los seres vivos/ living things. CONOCIMIENTO DEL MEDIO 3º DE PRIMARIA CONOCIMIENTO DEL MEDIO 3º DE PRIMARIA Los contenidos de la asignatura Conocimiento del Medio se agrupan en tres bloques, uno por trimestre y constan de 5 unidades cada uno. Teniendo en cuenta la temporalización

Más detalles

El ingenioso caballero don Quijote de la Mancha. Parte 2 (Spanish Edition)

El ingenioso caballero don Quijote de la Mancha. Parte 2 (Spanish Edition) El ingenioso caballero don Quijote de la Mancha. Parte 2 (Spanish Edition) Miguel de Cervantes Click here if your download doesn"t start automatically El ingenioso caballero don Quijote de la Mancha. Parte

Más detalles

Real Time Systems. Part 2: Cyclic schedulers. Real Time Systems. Francisco Martín Rico. URJC. 2011

Real Time Systems. Part 2: Cyclic schedulers. Real Time Systems. Francisco Martín Rico. URJC. 2011 Real Time Systems Part 2: Cyclic schedulers Scheduling To organise the use resources to guarantee the temporal requirements A scheduling method is composed by: An scheduling algorithm that calculates the

Más detalles

Telling Time in Spanish Supplemental Hand-out

Telling Time in Spanish Supplemental Hand-out DSC ACADEMIC SUPPORT CENTER SPANISH WORKSHOPS STUDENT HANDOUT Telling Time in Spanish Supplemental Hand-out To ask someone the time in Spanish, you say: Qué hora es? - What time is it? To tell the time

Más detalles

LEER, ESCRIBIR, HABLAR PARA COMUNICARTE (Psicología y Autoayuda) (Spanish Edition)

LEER, ESCRIBIR, HABLAR PARA COMUNICARTE (Psicología y Autoayuda) (Spanish Edition) LEER, ESCRIBIR, HABLAR PARA COMUNICARTE (Psicología y Autoayuda) (Spanish Edition) Click here if your download doesn"t start automatically LEER, ESCRIBIR, HABLAR PARA COMUNICARTE (Psicología y Autoayuda)

Más detalles

Module. This module will help you to understand the importance of setting goals to achieve your financial objectives. Module 3: Goal Setting

Module. This module will help you to understand the importance of setting goals to achieve your financial objectives. Module 3: Goal Setting Module 3: Goal Setting Module This module will help you to understand the importance of setting goals to achieve your financial objectives. 152 Module 3: Goal Setting 3 Módulo Módulo 3: Estableciendo metas

Más detalles

English language / Idioma Español AK90-E. Leaflet No. / No. de folleto rev 00

English language / Idioma Español AK90-E. Leaflet No. / No. de folleto rev 00 English language / Idioma Español AK90-E Leaflet No. / No. de folleto 466295 rev 00 Read through ALL instructions before commencing installation. If you have any questions about this product or issues

Más detalles

Welcome to Lesson B of Story Time for Spanish

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

Más detalles

Los miserables de Victor Hugo (Guía de lectura): Resumen y análsis completo (Spanish Edition)

Los miserables de Victor Hugo (Guía de lectura): Resumen y análsis completo (Spanish Edition) Los miserables de Victor Hugo (Guía de lectura): Resumen y análsis completo (Spanish Edition) Click here if your download doesn"t start automatically Los miserables de Victor Hugo (Guía de lectura): Resumen

Más detalles

MANUAL DE INSTRUCCIONES CAJA FUERTE CF-4333

MANUAL DE INSTRUCCIONES CAJA FUERTE CF-4333 MANUAL DE INSTRUCCIONES CAJA FUERTE CF-4333 ESTIMADO CLIENTE Con el fin de que obtenga el mayor desempeño de su producto, por favor lea este manual de instrucciones cuidadosamente antes de comenzar a utilizarlo,

Más detalles

Enfermos de Poder: La Salud de los Presidentes y Sus Consecuencias (Spanish Edition)

Enfermos de Poder: La Salud de los Presidentes y Sus Consecuencias (Spanish Edition) Enfermos de Poder: La Salud de los Presidentes y Sus Consecuencias (Spanish Edition) Nelson Castro Click here if your download doesn"t start automatically Enfermos de Poder: La Salud de los Presidentes

Más detalles

Los 8 hábitos de los mejores líderes: Secretos pastorales del Salmo 23 (Spanish Edition)

Los 8 hábitos de los mejores líderes: Secretos pastorales del Salmo 23 (Spanish Edition) Los 8 hábitos de los mejores líderes: Secretos pastorales del Salmo 23 (Spanish Edition) Marcos Witt Click here if your download doesn"t start automatically Los 8 hábitos de los mejores líderes: Secretos

Más detalles

SPANISH WITH PAUL MINI COURSE 8

SPANISH WITH PAUL MINI COURSE 8 SPANISH WITH PAUL MINI COURSE 8 SPANISHWITHPAUL.COM Hello and welcome to mini course 8! In this episode we add some very useful phrases such as I feel like (doing something) and I wonder along with filling

Más detalles

Prueba de práctica Matemáticas 10 grado

Prueba de práctica Matemáticas 10 grado Sistema de evaluación global de Massachusetts Prueba de práctica Matemáticas 10 grado Nombre del estudiante Nombre de la escuela Nombre del distrito escolar Ésta es una prueba de práctica. Las respuestas

Más detalles

V.- V.-El El manejo de de las las Interrupciones

V.- V.-El El manejo de de las las Interrupciones Las Las V.- V.-El El manejo de de las las Conceptos Conceptos BásicosB Básicos Modos Modos de de Manejo Manejo Ejemplos Ejemplos de de aplicación aplicación Las Las El manejo de las en el 8051 Las interrupciones

Más detalles

TU EMBARAZO Y EL NACIMIENTO DEL BEBE GUIA PARA ADOLESCENTES EMBARAZADAS TEEN PREGNANCY AND PARENTI

TU EMBARAZO Y EL NACIMIENTO DEL BEBE GUIA PARA ADOLESCENTES EMBARAZADAS TEEN PREGNANCY AND PARENTI TU EMBARAZO Y EL NACIMIENTO DEL BEBE GUIA PARA ADOLESCENTES EMBARAZADAS TEEN PREGNANCY AND PARENTI 8 Feb, 2016 TEYENDBGPAETPAPWWET-PDF33-0 File 4,455 KB 96 Page If you want to possess a one-stop search

Más detalles

Certificación Digital en PDF Signer Online. Digital Certification in PDF Signer Online.

Certificación Digital en PDF Signer Online. Digital Certification in PDF Signer Online. Certificación Digital en PDF Signer Online Digital Certification in PDF Signer Online support@dtellcpr.com Desarrollado por: DTE, LLC Revisado en: 22 de Febrero de 2016 Versión: 01.2016 Antes de comenzar

Más detalles

Teoría general del proyecto. Vol. I: Dirección de proyectos (Síntesis ingeniería. Ingeniería industrial) (Spanish Edition)

Teoría general del proyecto. Vol. I: Dirección de proyectos (Síntesis ingeniería. Ingeniería industrial) (Spanish Edition) Teoría general del proyecto. Vol. I: Dirección de proyectos (Síntesis ingeniería. Ingeniería industrial) (Spanish Edition) Manuel De Cos Castillo Click here if your download doesn"t start automatically

Más detalles

74 Prime Time. conjetura Suposición acerca de un patrón o relación, basada en observaciones.

74 Prime Time. conjetura Suposición acerca de un patrón o relación, basada en observaciones. A abundant number A number for which the sum of all its proper factors is greater than the number itself. For example, 24 is an abundant number because its proper factors, 1, 2, 3, 4, 6, 8, and 12, add

Más detalles

GRADE 3 MCCSC VOCABULARY. Marking Period 3

GRADE 3 MCCSC VOCABULARY. Marking Period 3 Identity Property: In addition, any number added to zero equals that number. Example: 8 + 0 = 8 In multiplication, any number multiplied by one equals that number. Example: 8 x 1 = 8 Propiedad de Identidad:

Más detalles

El perro perdido Hoja de práctica 1. Escribe C si la frase es cierta y F si la frase es falsa.

El perro perdido Hoja de práctica 1. Escribe C si la frase es cierta y F si la frase es falsa. Nombre Fecha Escribe C si la frase es cierta y F si la frase es falsa. El perro perdido Hoja de práctica 1 1. Carbón es un perro blanco. 2. Carbón vive en Chile. 3. Carbón vive con una chica. 4. Alonso

Más detalles

La Tercera Historia. Demonstrative Adjectives: Este / Esta Estos /Estas Ese /Esa Esos /Esas Aquel / Aquella Aquellos / Aquellas

La Tercera Historia. Demonstrative Adjectives: Este / Esta Estos /Estas Ese /Esa Esos /Esas Aquel / Aquella Aquellos / Aquellas La Tercera Historia Demonstrative Adjectives: Este / Esta Estos /Estas Ese /Esa Esos /Esas Aquel / Aquella Aquellos / Aquellas Do-Now: en los cuadernos, con la meta Meta: How do I refer to specific objects

Más detalles

SAMPLE EXAMINATION BOOKLET

SAMPLE EXAMINATION BOOKLET S SAMPLE EXAMINATION BOOKLET New Zealand Scholarship Spanish Time allowed: Three hours Total marks: 24 EXAMINATION BOOKLET Question ONE TWO Mark There are three questions. You should answer Question One

Más detalles

El dilema latinoamericano--hacia el siglo XXI: Estado y politicas economicas en Mexico, Brasil y Argentina (Texto y contexto) (Spanish Edition)

El dilema latinoamericano--hacia el siglo XXI: Estado y politicas economicas en Mexico, Brasil y Argentina (Texto y contexto) (Spanish Edition) El dilema latinoamericano--hacia el siglo XXI: Estado y politicas economicas en Mexico, Brasil y Argentina (Texto y contexto) (Spanish Edition) Gustavo Ernesto Emmerich Click here if your download doesn"t

Más detalles

Level 1 Spanish, 2013

Level 1 Spanish, 2013 90911 909110 1SUPERVISOR S Level 1 Spanish, 2013 90911 Demonstrate understanding of a variety of Spanish texts on areas of most immediate relevance 9.30 am Tuesday 3 December 2013 Credits: Five Achievement

Más detalles

COMPETENCIA EN COMUNICACIÓN LINGÜÍSTICA: EXPRESIÓN ORAL Y ESCRITA SEXTO CURSO DE EDUCACIÓN PRIMARIA Y ORAL 1

COMPETENCIA EN COMUNICACIÓN LINGÜÍSTICA: EXPRESIÓN ORAL Y ESCRITA SEXTO CURSO DE EDUCACIÓN PRIMARIA Y ORAL 1 Y ORAL 1 2 Ejemplo de unidad de evaluación que configura la prueba de la competencia en comunicación lingüística, EXPRESIÓN ESCRITA (WRITTEN PRODUCTION): Writing a postcard Writing a postcard Imagine you

Más detalles

Ingreso a DatAcademy mediante Telefónica Accounts. Versiones: Español / Ingles Guía de usuario / User Guide

Ingreso a DatAcademy mediante Telefónica Accounts. Versiones: Español / Ingles Guía de usuario / User Guide Ingreso a DatAcademy mediante Telefónica Accounts Versiones: Español / Ingles Guía de usuario / User Guide Versión Español: Guía de usuario 2 Qué es Telefónica Accounts? Es una solución de Single-Sign-On

Más detalles

Cómo comprar en la tienda en línea de UDP y cómo inscribirse a los módulos UDP

Cómo comprar en la tienda en línea de UDP y cómo inscribirse a los módulos UDP Cómo comprar en la tienda en línea de UDP y cómo inscribirse a los módulos UDP Sistema de registro y pago Este sistema está dividido en dos etapas diferentes*. Por favor, haga clic en la liga de la etapa

Más detalles

Un amigo o una amiga. Antonio Irizarry Here s a picture of Antonio Irizarry. Write a story about him. You may want to use some of the following words.

Un amigo o una amiga. Antonio Irizarry Here s a picture of Antonio Irizarry. Write a story about him. You may want to use some of the following words. Un amigo o una amiga Antonio Irizarry Here s a picture of Antonio Irizarry. Write a story about him. You may want to use some of the following words. Colombia es serio Bogotá no es rubio bajo guapo Una

Más detalles

Keep reading, for a list of required elements and questions to inspire you!

Keep reading, for a list of required elements and questions to inspire you! You will write at least TEN sentences describing a typical week in the life of a BCC student YOU! -- based on the three Encuestas (surveys) you conducted with your classmates: If you can t think of what

Más detalles

The Subjunctive Mood

The Subjunctive Mood The Subjunctive Mood The Indicative Mood -Indicates what is true The Subjunctive Mood - things that are not part of perceived reality Things we already know how to say: We know how to talk about things

Más detalles

Organización de Aviación Civil Internacional GRUPO DE EXPERTOS SOBRE MERCANCÍAS PELIGROSAS (DGP) VIGESIMOQUINTA REUNIÓN

Organización de Aviación Civil Internacional GRUPO DE EXPERTOS SOBRE MERCANCÍAS PELIGROSAS (DGP) VIGESIMOQUINTA REUNIÓN Organización de Aviación Civil Internacional NOTA DE ESTUDIO DGP/25-WP/33 1/9/15 GRUPO DE EXPERTOS SOBRE MERCANCÍAS PELIGROSAS (DGP) VIGESIMOQUINTA REUNIÓN Montreal, 19 30 de octubre de 2015 Cuestión 5

Más detalles

Menciona algunas ciudades con instalaciones judías en España. Anótalas en un mapa de España.

Menciona algunas ciudades con instalaciones judías en España. Anótalas en un mapa de España. Welcome to AP Spanish Literature and Culture! Together, we are about to embark on a literary journey through time, on which we will be challenged with a wide variety of works. Before we are able to completely

Más detalles

The Data Path. The Microarchitecture Level. Data Path Ops. Microarchitecture 1 8/20/2011

The Data Path. The Microarchitecture Level. Data Path Ops. Microarchitecture 1 8/20/2011 The Microarchitecture Level lies between digital logic level and ISA level uses digital circuits to implement machine instructions instruction set can be: implemented directly in hardware (RISC) interpreted

Más detalles

PELICULAS CLAVES DEL CINE DE CIENCIA FICCION LOS DIRECTORES LOS ACTORES LOS ARGUMENTOS Y LAS ANECD

PELICULAS CLAVES DEL CINE DE CIENCIA FICCION LOS DIRECTORES LOS ACTORES LOS ARGUMENTOS Y LAS ANECD PELICULAS CLAVES DEL CINE DE CIENCIA FICCION LOS DIRECTORES LOS ACTORES LOS ARGUMENTOS Y LAS ANECD 8 Feb, 2016 PCDCDCFLDLALAYLAHARG-PDF33-0 File 4,455 KB 96 Page If you want to possess a one-stop search

Más detalles

Fe Viva: Lo que sucede cuando la fe verdadera enciende las vidas del pueblo de Dios (Spanish Edition)

Fe Viva: Lo que sucede cuando la fe verdadera enciende las vidas del pueblo de Dios (Spanish Edition) Fe Viva: Lo que sucede cuando la fe verdadera enciende las vidas del pueblo de Dios (Spanish Edition) Click here if your download doesn"t start automatically Fe Viva: Lo que sucede cuando la fe verdadera

Más detalles

Carmen: No, no soy Mexicana. Soy Colombiana. Y tú? Eres tú Colombiano?

Carmen: No, no soy Mexicana. Soy Colombiana. Y tú? Eres tú Colombiano? Learning Spanish Like Crazy Spoken Spanish Lección diez Instructor: Listen to the following conversation: René: Hola! Carmen: Hola! René: Cómo te llamas? Carmen: Me llamo Carmen Rivera. René: Eres tú Mexicana?

Más detalles

statutes, etc. Costa Rica. Laws Click here if your download doesn"t start automatically

statutes, etc. Costa Rica. Laws Click here if your download doesnt start automatically COLECCION DE LAS LEYES DECRETOS Y ORDENES EXPEDIDOS POR LOS SUPREMOS PODERES : LEGISLATIVO, CONSERVADOR Y EJECUTIVO DE COSTA RICA, EN LOS AÑOS DE 1833, 1834, 1835 Y 1836. Tomo IV statutes, etc. Costa Rica.

Más detalles

SISTEMA DE CONTROL LÓGICO PROGRAMABLE (PLC) SOBRE HARDWARE EMBEBIDO Y BAJO SISTEMA OPERATIVO LINUX

SISTEMA DE CONTROL LÓGICO PROGRAMABLE (PLC) SOBRE HARDWARE EMBEBIDO Y BAJO SISTEMA OPERATIVO LINUX SISTEMA DE CONTROL LÓGICO PROGRAMABLE (PLC) SOBRE HARDWARE EMBEBIDO Y BAJO SISTEMA OPERATIVO LINUX Autor : Gonzalo Julián Santander Palacio Director : Javier Martín Ruiz RESUMEN DEL PROYECTO El proyecto

Más detalles

5. Mi futuro en mi mundo

5. Mi futuro en mi mundo 5. Mi futuro en mi mundo Unidad 5 El Pasado Perfecto H.O. #10 The Past Perfect Tense (also referred to as the pluperfect) is also a compound tense and is formed by using two parts: an imperfect form of

Más detalles

Synergy Spanish Solutions. Día de San Valentín Audio Lessons

Synergy Spanish Solutions. Día de San Valentín Audio Lessons Synergy Spanish Solutions Día de San Valentín Audio Lessons Created by Marcus Santamaria Edited by Elena Chagoya & Claire Boland Copyright 2014 Marcus Santamaria All Rights reserved. No part of this publication

Más detalles

MANUAL DEL ENTRENADOR PERSONAL. DEL FITNESS AL WELLNESS (A COLOR) (SPANISH EDITION) BY F. ISIDRO, J.R. HEREDIA, M. RAMóN COSTA

MANUAL DEL ENTRENADOR PERSONAL. DEL FITNESS AL WELLNESS (A COLOR) (SPANISH EDITION) BY F. ISIDRO, J.R. HEREDIA, M. RAMóN COSTA Read Online and Download Ebook MANUAL DEL ENTRENADOR PERSONAL. DEL FITNESS AL WELLNESS (A COLOR) (SPANISH EDITION) BY F. ISIDRO, J.R. HEREDIA, M. RAMóN COSTA DOWNLOAD EBOOK : MANUAL DEL ENTRENADOR PERSONAL.

Más detalles

UNIDAD 5: Mejora del rendimiento con la segmentación.

UNIDAD 5: Mejora del rendimiento con la segmentación. UNIDAD 5: Mejora del rendimiento con la segmentación. 5.1 Un resumen de segmentación La segmentación (pipelining) es una técnica de implementación por la cual se solapa la ejecución de múltiples instrucciones.

Más detalles

Elige ser feliz: Cómo canalizar el poder del Yo soy para resolver tus problemas y sanar tu vida (Spanish Edition)

Elige ser feliz: Cómo canalizar el poder del Yo soy para resolver tus problemas y sanar tu vida (Spanish Edition) Elige ser feliz: Cómo canalizar el poder del Yo soy para resolver tus problemas y sanar tu vida (Spanish Edition) Rossana Lara Click here if your download doesn"t start automatically Elige ser feliz: Cómo

Más detalles

El mundo del petróleo. Origen, usos y escenarios (La Ciencia Para Todos / Science for All) (Spanish Edition)

El mundo del petróleo. Origen, usos y escenarios (La Ciencia Para Todos / Science for All) (Spanish Edition) El mundo del petróleo. Origen, usos y escenarios (La Ciencia Para Todos / Science for All) (Spanish Edition) Salvador Ortuño Orzate Click here if your download doesn"t start automatically El mundo del

Más detalles

Verb Conjugation. How to express yourself using regular verbs in Spanish.

Verb Conjugation. How to express yourself using regular verbs in Spanish. Verb Conjugation How to express yourself using regular verbs in Spanish. What is a verb? A verb expresses action. It means to do something to walk, to talk, to dance, to sing, to run, etc. Verb Conjugation????

Más detalles

Nueva confirmación de pedido de compra con cambios: proveedor ES

Nueva confirmación de pedido de compra con cambios: proveedor ES Ayuda de trabajo Nueva confirmación de pedido de compra con cambios: proveedor ES Step 1. This Supplier portal activity lists the steps necessary for confirming a new purchase order with changes on price,

Más detalles

Reported Speech (2) Reported Speech (2)

Reported Speech (2) Reported Speech (2) Reported Speech (2) Área Lectura y Escritura, Inglés Resultados de aprendizaje Conocer el uso de reported speech en contextos de escritura formal. Utilizar las diversas formas verbales de reported speech

Más detalles