Definición de métodos

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

Download "Definición de métodos"

Transcripción

1 YIELD-API Definición de métodos 1 / 26

2 Introducción El presente documento describe la interfaz YIELD API, un conjunto de funcionalidades ofrecidas por Incubio para acceder a los datos existentes en su plataforma de Big Data YIELD. YIELD API ofrece un subconjunto de las funcionalidades y los datos totales de YIELD, de manera que esta documentación no incluye todos los métodos y funciones disponibles en YIELD. En resumen, YIELD API ofrece las siguientes funcionalidades: Consulta de los datos de un lugar (place) por su identificador Recuperación de imágenes y vídeos relacionados con un lugar (place) Obtención de las interacciones sociales relacionadas con un lugar (place) Búsqueda de lugares (places) por texto libre Obtención de los lugares (places) mejor valorados en una ciudad Consulta de lugares (places) de una ciudad por categorías y subcategorías Consulta de los datos de una empresa (company) por su identificador Recuperación de imágenes y vídeos relacionados con una empresa (company) Búsqueda de empresas (companies) por texto libre Obtención de las empresas (companies) de una determinada categoría Conceptos generales Content types Para facilitar el uso de YIELD API, se deberán enviar las siguientes cabeceras en todas las peticiones: H "Accept: application/json" H "Content Type: application/json" En PHP, dichas cabeceras se pueden enviar de la siguiente manera: curl_setopt($ch, CURLOPT_HTTPHEADER, array('content Type: application/json')); Autenticación 2 / 26

3 YIELD API es un servicio de acceso restringido y controlado. Para su uso, los participantes en la Hackaton deberán solicitar acceso a este servicio enviando un correo electrónico a la dirección yield api@incubio.com con el asunto YIELD API antes de iniciar la hackaton. Una vez creado su usuario, les serán notificados sus datos de acceso respondiendo al mismo correo electrónico con la suficiente antelación. Todas las peticiones a YIELD API deberán incluir una cabecera de autenticación siguiendo el siguiente esquema (en PHP): curl_setopt($ch, CURLOPT_HTTPAUTH, CURLAUTH_BASIC ); curl_setopt($ch, CURLOPT_USERPWD, $COMPANY_NAME.":".$COMPANY_PASSWORD); Donde $COMPANY_NAME y $COMPANY_PASSWORD serán los datos de acceso proporcionados para cada equipo de la hackathon que lo requiera. En términos de la línea de comandos, la petición debe ser como la siguiente: curl i H "Accept: application/json" H "Content Type: application/json" H "Authorization: Basic XXXXXX" X METHOD api.incubio.com/path Donde XXXXXX debe tener por valor base64(company_name:company_password) Casos de Uso Dado que YIELD API ofrece únicamente métodos de consulta y que el sistema ofrece siempre la misma interacción con el usuario, se muestra únicamente un caso de uso que sirve como plantilla para los demás. Consulta al sistema Caso de uso Actores Descripción Obtención de datos de sistema Usuario Obtención de los datos básicos de un lugar (place) 3 / 26

4 Precondiciones Postcondiciones El usuario está autorizado para acceder a YIELD API El usuario obtiene la información solicitada Flujo principal 1. El usuario ejecuta una consulta contra el sistema 2. El sistema valida que el usuario tenga permisos para acceder a la información 3. El sistema valida que los parámetros obligatorios tengan valor 4. El sistema valida que el formato de todos los parámetros 5. El sistema retorna al usuario la información solicitada Alternativas 2. El usuario no tiene acceso al sistema. Se retorna un código de error indicando este hecho. 3. Los parámetros obligatorios no tienen valor. Se retorna un error 404 al usuario 4. Alguno de los parámetros no tiene el formato correcto. Se retorna un error al usuario indicando este hecho. 4 / 26

5 Places API 1. Places El endpoint de Places permite a los usuarios consultar los datos de un lugar determinado por su identificador a. /place/:id Recupera la información básica de un lugar. Método: HTTP GET Parámetros: Nombre del parámetro placeid Descripción Identificador de un lugar (place) Plantilla: api.incubio.com/place/:placeid Ejemplo: api.incubio.com/place/12345 Respuesta: "version" : 1.0, "status" : "ok", "result" : "placeid" : 12345, "name" : "Incubio", "location": "adress" : "Carrer dels Almogàvers 165, Barcelona, España", "city": "Barcelona" "location" : "lat" : , "lon": , 5 / 26

6 "score": 9, "category": "Company", "subcategory": "Incubator", "socialinteractions": 12345, "image": " content/uploads/2013/05/home office.png", "daily": "monday" : "morning": 0.14, "midday": 0.38, "evening": 0.2, "night": 0.1, "latenight": 0.08, "tuesday" : "morning": 1, "midday": 0.5, "evening": 0.4, "night": 0.3, "latenight": 0.2, "wednesday" : "morning": 0.6, "midday": 0.8, "evening": 0.4, "night": 0.3, "latenight": 0.3, "thursday" : "morning": 0.58, "midday": 0.56, "evening": 0.12, "night": 0.3, "latenight": 0.2, "friday" : "morning": 0.65, "midday": 0.68, "evening": 0.21, "night": 0.18, "latenight": 0.1, "saturday" : "morning": 0.1, "midday": 0.07, "evening": 0.02, "night": 0.01, "latenight": 0.01, "sunday" : "morning": 0.1, "midday": 0.1, "evening": 0.1, "night": 0.08, "latenight": / 26

7 b. /place/:id/media Retorna todas las imágenes y videos de un lugar específico. Método: HTTP GET Parámetros: Nombre del parámetro placeid Descripción Identificador de un lugar (place) Plantilla: api.incubio.com/place/:placeid/media Ejemplo: api.incubio.com/place/12345/media Respuesta: "version" : 1.0, "status" : "ok", "result" : "placeid" : 12345, "images": [ " content/uploads/2013/05/home office.png", " startups.com/media/startups/ /images/ofi 1_1.JPG" " " " " "videos": [ " " ] 7 / 26

8 c. /place/:id/interactions Retorna una lista de todas las interacciones sociales disponibles, relacionadas con un lugar (place) específico. Método: HTTP GET Parámetros: Nombre del parámetro placeid source from to Descripción Identificador de un lugar (place) Social network: twitter, facebook, instagram... Fecha/hora de inicio Fecha/hora de final Plantilla: api.incubio.com/place/:placeid/interactions?source=[source]&from=[from_dat e]&to=[to_date] Ejemplo: api.incubio.com/place/12345/interactions?source=twitter&from= &to= Respuesta: 8 / 26

9 "version" : 1.0, "status" : "ok", "result" : "twitter" : [ "contributors": null, "coordinates": "coordinates": [ , "type": "Point", "created_at": "Mon Jun 23 09:17: ", "entities": "hashtags": [ "symbols": [ "trends": [ "urls": [ "user_mentions": [ "id": , "id_str": " ", "indices": [ 20, 28 "name": "Incubio", "screen_name": "incubio" ], "favorite_count": 0, "favorited": false, "filter_level": "medium", "geo": "coordinates": [ , "type": "Point", "id": , "id_str": " ", "in_reply_to_screen_name": null, "in_reply_to_status_id": null, "in_reply_to_status_id_str": null, "in_reply_to_user_id": null, "in_reply_to_user_id_str": null, "lang": "es", "place": "attributes":, "bounding_box": "coordinates": [ [ [ 9 / 26

10 [ [ [ ] , , , , ] "type": "Polygon", "country": "Espa\u00f1a", "country_code": "ES", "full_name": "Barcelona, Catalonia", "id": "74c8e dd", "name": "Barcelona", "place_type": "city", "url": " "possibly_sensitive": false, "retweet_count": 0, "retweeted": false, "source": "<a href=\" rel=\"nofollow\">twitter for iphone</a>", "text": "Va llegando gente "truncated": false, "user": "contributors_enabled": false, "created_at": "Wed Jun 18 11:19: ", "default_profile": false, "default_profile_image": false, "description": "I was a nerd before it was cool.", "favourites_count": 406, "follow_request_sent": null, "followers_count": 704, "following": null, "friends_count": 749, "geo_enabled": true, "id": , "id_str": " ", "is_translator": false, "lang": "en", "listed_count": 35, "location": "Barcelona", "name": "Pablo Casado", "notifications": null, "profile_background_color": "C0DEED", 10 / 26

11 "profile_background_image_url": " tionx.jpg", "profile_background_image_url_https": " ctionx.jpg", "profile_background_tile": true, "profile_image_url": " "profile_image_url_https": " "profile_link_color": "0084B4", "profile_sidebar_border_color": "C0DEED", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "profile_use_background_image": true, "protected": false, "screen_name": "hardlifeofapo", "statuses_count": 13457, "time_zone": "Madrid", "url": " "utc_offset": 7200, "verified": false "facebook" : [ "instagram" : [ ] 2. Search a. /place/search Retorna una lista de todos los lugares (places) cuyo nombre coincide con el string dado Método: HTTP GET Parámetros: Nombre del parámetro query Descripción Nombre (parcial) del lugar a buscar 11 / 26

12 location radius Coordinadas GPS en el formato lat, lon Distancia en Km Plantilla: api.incubio.com/place/search/[query]?location=[lat,lon]&radius=[distance] Ejemplo: api.incubio.com/place/search/incu?location=[ , ]&radius=2 Respuesta: "results": [ "category": "Company", "daily": "friday": "evening": 0.21, "latenight": 0.1, "midday": 0.68, "morning": 0.65, "night": 0.18, "monday": "evening": 0.2, "latenight": 0.08, "midday": 0.38, "morning": 0.14, "night": 0.1, "saturday": "evening": 0.02, "latenight": 0.01, "midday": 0.07, "morning": 0.1, "night": 0.01, "sunday": "evening": 0.1, "latenight": 0.06, "midday": 0.1, "morning": 0.1, "night": 0.08, "thursday": "evening": 0.12, 12 / 26

13 "latenight": 0.2, "midday": 0.56, "morning": 0.58, "night": 0.3, "tuesday": "evening": 0.4, "latenight": 0.2, "midday": 0.5, "morning": 1, "night": 0.3, "wednesday": "evening": 0.4, "latenight": 0.3, "midday": 0.8, "morning": 0.6, "night": 0.3, "image": " content/uploads/2013/05/home office.png", "location": "location": "lat": , "lon": , "adress": "Carrer dels Almog\u00e0vers 165, Barcelona, Espa\u00f1a" "city": "Barcelona", "name": "Incubio", "placeid": 12345, "score": 9, "socialinteractions": 12345, "subcategory": "Incubator", "url": " "status": "ok", "version": Cities a. /place/city/:cityname/ Retorna una lista de los lugares más recomendados en una ciudad 13 / 26

14 Método: HTTP GET Parámetros: Nombre del parámetro cityname day time Descripción Nombre de la ciudad Día de la semana: 1 = monday, 2 = tuesday... 7 = sunday Momento del día: morning, midday, evening, night, latenight y now son los únicos valores aceptados. Plantilla: api.incubio.com/place/city/[cityname]?day=[dayofweek]&when=[when] Ejemplo: api.incubio.com/place/city/barcelona?day=7&when=latenight Respuesta: 14 / 26

15 "results": [ "placeid": "654235", "name": "Esencia" "category": "Dance club", "subcategory" "Latin dance", "score" : 8, "location" : "location": "lat": , "lon" , "adress": "Carrer d'aribau, 191, Barcelona, Barcelona, Spain" "city": "Barcelona", "image" : " b ams.xx.fbcdn.net/hphotos xap1/t1.0 9/p480x480/ _ _ _n.jpg", "url" : "" "status": "ok", "version": 1.0 b. /place/city/:cityname/:categoryname Método: HTTP GET Parámetros: Nombre del parámetro cityname categoryname Descripción Nombre de la ciudad Nombre de la categoría Plantilla: api.incubio.com/place/city/[cityname]/[categoryname] 15 / 26

16 Ejemplo: api.incubio.com/place/city/barcelona/eating/ Respuesta: "results": [ "category": "eating", "placeid": "85213", "image": " cdn.tripadvisor.com/media/photo s/04/a0/72/71/sopa.jpg", "location": "location": "lat": , "lon": , "adress": "Carrer de Roc Boronat, Barcelona Spain" "city": "Barcelona", "name": "Sopa Barcelona", "score": 6, "subcategory": "vegan", "url": " "status": "ok", "version": Categories a. /place/city/:categoryname/:subcategory Método: HTTP GET Parámetros: Nombre del parámetro cityname categoryname Descripción The name of the city Nombre de la Categoría 16 / 26

17 subcategory Nombre de la Subcategoría Plantilla: api.incubio.com/place/city/cityname/categoryname/[subcategory] Ejemplo: api.incubio.com/place/city/barcelona/eating/american Respuesta: "results": [ "category": "eating", "subcategory": "american", "placeid": "654851", "image": " s5y2gu6zilc/txppka IfII/AAAAAAAAAIw/MhaIuC 2A6s/s1600/CIMG6 681.JPG", "location": "location": "lat": , "lon": , "adress": "Carrer de Pamplona, Barcelona Spain", "city": "Barcelona", "name": "Taberna Sonora", "score": 4, "subcategory": "american", "url": " "status": "ok", "version": / 26

18 Companies API 1. Company El endpoint de empresa (Company) permite a los usuarios obtener datos de una empresa mediante su identificador a. /company/:id Recupera la información básica de una empresa (company) Método: HTTP GET Parámetros: Nombre del parámetro companyid Descripción Identificador de una empresa Plantilla: api.incubio.com/company/:companyid Ejemplo: api.incubio.com/company/twitter Respuesta: "status": "ok", "version": 1.0, "result": "id": "twitter", "blog_feed_url": " "blog_url": " "category_code": "social", "description": "Real time communication platform", " _address": "press@twitter.com", "external_links": [ 18 / 26

19 "external_url": " bin/browse edgar?action=getcompany&cik= ", "title": "SEC", "external_url": " "title": "Twitter in the Community", "external_url": " "title": "Facebook" "founded_date": , "founded_day": 21, "founded_month": 3, "founded_year": 2006, "homepage_url": " "image": "assets/images/resized/0042/6251/426251v1 max 450x450.jpg", "name": "Twitter", "number_of_employees": 1300, "offices": [ "address1": "1355 Market St.", "address2": "", "city": "San Francisco", "country_code": "USA", "description": "", location : "lat": , "lng": , "state_code": "CA", "zip_code": "94103" "overview": "<p>twitter is an online social network and a microblogging service that enables users to send and read \u201ctweets, which are text messages limited to 140 characters. Registered users of Twitter are able to read and post tweets via the web, SMS or mobile applications.</p>\n\n<p>created in March 2006, Twitter is a global real time communications platform with 400 million monthly visitors to twitter.com and more than <a href=\" passes 200m monthly active users a 42 i ncrease over 9 months/\" title=\"200 million monthly active users\">200 million monthly active users</a> around the world. It receives a billion tweets every 2.5 days on every conceivable topic. World leaders, major athletes, star performers, news organizations and entertainment outlets are among the millions of active Twitter accounts through which users can truly get the pulse of the planet.</p>\n\n<p>twitter is based in San Francisco and has offices in New York City, Boston, San Antonio and Detroit. It was founded by <a href=\"/person/jack dorsey\" title=\"jack Dorsey\" rel=\"nofollow\">jack Dorsey</a>, <a href=\"/person/evan williams\" title=\"evan Williams\" rel=\"nofollow\">evan Williams</a>, <a href=\"/person/biz stone\" title=\"biz Stone\" rel=\"nofollow\">biz Stone</a> and <a href=\"/person/noah glass 3\" title=\"noah Glass\" rel=\"nofollow\">noah Glass</a></p>", "permalink": "twitter", "phone_number": "", "products": [ 19 / 26

20 , "name": "Twitter Blocks", "permalink": "twitter blocks" "name": "Twicco", "permalink": "twicco" "tag_list": "text, messaging, social, community, twitter, tweet, twttr, microblog, sms", "twitter_username": "twitter", "video_embeds": [ "description": "<p>twitter for Small Business</p>", "embed_code": "<iframe width=\"430\" height=\"242\" src=\" frameborder=\"0\" allowfullscreen></iframe>" ] b. /company/:id/media Retorna todas las imágenes y todos los vídeos disponibles, relacionados con una empresa dada Método: HTTP GET Parámetros: Nombre del parámetro companyid Descripción Identificador de una empresa Plantilla: api.incubio.com/company/:companyid/media Ejemplo: api.incubio.com/company/facebook/media 20 / 26

21 Respuesta: "version" : 1.0, "status" : "ok", "result" : "companyid" : "facebook", "images": [ "assets/images/resized/0004/2816/42816v1 max 450x450.png" "videos": [] 2. Search a. /company/search Retorna una lista de las empresas (companies) cuyo nombre coincide con el string indicado Método: HTTP GET Parámetros: Nombre del parámetro query location radius Descripción Cadena de búsqueda Coordenadas GPS en el formato lat, lon Distancia en Km Plantilla: api.incubio.com/company/search/[query]?location=[lat,lon]&radius=[distance ] Ejemplo: api.incubio.com/company/search/media 21 / 26

22 Respuesta: "status": "ok", "version": 1.0, "results": [ "blog_feed_url": null, "blog_url": null, "category_code": null, "description": null, " _address": null, "external_links": [ "founded_date": , "founded_day": null, "founded_month": null, "founded_year": null, "homepage_url": null, "id": "abril media", "image": null, "name": "Abril Media", "number_of_employees": null, "offices": [ "overview": null, "partners": [ "permalink": "abril media", "products": [ "tag_list": null, "twitter_username": null, "blog_feed_url": "", "blog_url": " "category_code": "software", "description": "Website Design Delhi Addictive Media, w", " _address": "albertson.seo@gmail.com", "external_links": [ "external_url": " "title": "Website Design Delhi, Website Design Company Delhi" "founded_date": , "founded_day": 1, "founded_month": 8, "founded_year": 2009, "homepage_url": " "id": "addictive media", "image": null, "name": "Addictive Media", "number_of_employees": 7, "offices": [ 22 / 26

23 "overview": "<p>addictive Media is a full service graphic design agency. We offer services for branding, web, interactive, print, programming, and multimedia presentation.</p>\n\n<p>at Addictive Media, we strive to be the front runner in innovation and creativity in web designing and development. As a creative agency we translate website development expertise into value for our clients through our well researched skills, web design consulting and website designing solutions, that also includes brand development, e commerce solutions, search engine marketing and multimedia presentations.</p>\n\n<p>we as a creative agency understand the importance of our client\u00e2\u20ac\u2122s requirements and its influence on the best desired output. We work closely with our clients to help them decide and define their exact requirements. Our brainstorming sessions are geared to understand our clients better and translate their dream website into reality.</p>\n\n<p>we ensure that our services enable our clients to create a brand, optimize existing systems, save operational costs and sell better. We believe in delivering the best possible results for each of our clients. Addictive Media ensures that the quality of the work delivered exceeds the expectations of customers. A convenient, clear and consistent client communication is the focal point of our successful customer contact programs.</p>\n\n<p>the fundamental principle of our company is customer satisfaction. Addictive Media works closely with your organization to develop a web site that is consistent with the history of your company and at the same time competent with today\u00e2\u20ac\u2122s technology. We provide the kind of web site that keeps your customers satisfied, so that they keep coming back for more. Our custom designs are affordable for every budget.</p>\n\n<p>addictive Media provides the highest standards in support and service. We are committed to efficiency and flexibility when it comes to delivering end results. We promise cost effective, timely, inspirational and quality solutions that add significant value to your enterprise. All our team members are experts in their particular field who will deliver a website that captures the requirements of your company, the attention of your target audience and has an edge over competitor websites.</p>\n\n<p>feel free to go through our available services and portfolio. You can contact us for a free estimate. We look forward to delivering you a refreshing web site that is totally compatible with the characteristics and principles of your company.\nweb hosting Hosting Reviewed gives you a glimpse of the best web hosts available when it comes to affordable web hosting. Backed with customer reviews, the site will help you decide which web host is the right one for you.</p>", "permalink": "addictive media", "phone_number": " ", "products": [ "tag_list": "website design delhi, web design delhi, website design company delhi, seo company delhi, seo services company delhi, search engine optimization", "twitter_username": "Addictivemedia", ] 3. Categories a. /company/category Retorna una lista de las empresas (companies) de una categoría específica 23 / 26

24 Método: HTTP GET Parámetros: Nombre del parámetro category location radius Descripción Cadena de búsqueda Coordenadas GPS en el formato lat, long Distancia en Km Plantilla: api.incubio.com/company/category/[category]?location=[lat,lon]&radius=[dis tance] Ejemplo: api.incubio.com/company/category/social Respuesta: "results": [ "blog_feed_url": "", "blog_url": "", "category_code": "social", "description": "", " _address": "contato@aatag.com", "external_links": [ "founded_date": , "founded_day": 1, "founded_month": 6, "founded_year": 2010, "homepage_url": " "id": "aatag", "image": "assets/images/resized/0009/1254/91254v4 max 450x450.png", "name": "aatag", "number_of_employees": 4, "offices": [ 24 / 26

25 "address1": "Liverdade Avenue, 1701", "address2": "", "city": "Sorocaba", "country_code": "BRA", "description": "aatag Office", location : "lat": , "lng": , "state_code": null, "zip_code": " " "overview": "<p>our goal at aatag is to give everyone the ability to easily access services and objects customized for their profile, context, preferences, social graph and stream.</p>\n\n<p>aatag created a platform where user sign up once and can use their profile, preference, context, social graph and stream n times. User gives micro permissions each time they interact.</p>\n\n<p>an example of a service: aatag here and send flowers to your wife \u009d. The end user waves his rfid card or sticker over the board and our platform access his profile in Facebook, check who his wife is and send to her an or Facebook message saying: Hi Patrizia, I am in Walmart Sorocaba and when I saw these flowers my heart remembered you, xxx Augusto </p>\n\n<p>we use rfid to create a completely new experience for end users giving micro permissions and receive personalized services and products. aatag is an ubiquitous platform in the real world where the user do not need to carry a device with keyboard, camera, screen, batteries, network, mouse or touch to interact with services and products. </p>\n\n<p>we created an open platform for Internet of Things. We took care of connecting and giving tags to the end user and created a couple of services (APIs) to let other services providers interact with the user profile, preferences, context, social graph and stream.</p>", "permalink": "aatag", "phone_number": "", "products": [ "tag_list": "contactless payment, information exchange, rfid ", "twitter_username": "aatagrfid", "blog_feed_url": "", "blog_url": "", "category_code": "social", "crunchbase_url": " "description": "Alumni Networking. Redefined", " _address": "", "external_links": [ "founded_date": , "founded_day": null, "founded_month": null, "founded_year": null, "homepage_url": " "id": "alumnize", "image": "assets/images/resized/0021/4347/214347v2 max 450x450.jpg", "name": "Alumnize", "number_of_employees": 10, "offices": [ "overview": "<p>whether you are looking for a job, looking to recruit or looking for ways to enhance professional and personal development, Alumnize offers a 25 / 26

26 platform to network with your alumni to achieve your goals</p>\n\n<p>leverage the Power of Alumni network!! Start Alumnizing!</p>", "permalink": "alumnize", "phone_number": "", "products": [ "tag_list": "alumni networking, alumni, college, networking, alumnize", "twitter_username": "alumnize", "status": "ok", "version": / 26

Definición de métodos

Definición de métodos YIELD-API Definición de métodos 1 / 39 Introducción El presente documento describe la interfaz YIELD API, un conjunto de funcionalidades ofrecidas por Incubio para acceder a los datos existentes en su

Más detalles

MANUAL EASYCHAIR. A) Ingresar su nombre de usuario y password, si ya tiene una cuenta registrada Ó

MANUAL EASYCHAIR. A) Ingresar su nombre de usuario y password, si ya tiene una cuenta registrada Ó MANUAL EASYCHAIR La URL para enviar su propuesta a la convocatoria es: https://easychair.org/conferences/?conf=genconciencia2015 Donde aparece la siguiente pantalla: Se encuentran dos opciones: A) Ingresar

Más detalles

HIGH IMPACT PRESENTATIONS PRESENTACIONES DE ALTO IMPACTO

HIGH IMPACT PRESENTATIONS PRESENTACIONES DE ALTO IMPACTO HIGH IMPACT PRESENTATIONS PRESENTACIONES DE ALTO IMPACTO Is a design consultancy specialized in design and development of High Impact Presentations. We strive for giving control back to client, delivering

Más detalles

Servicios pensados para optimizar los procesos de comunicación de voz y SMS.

Servicios pensados para optimizar los procesos de comunicación de voz y SMS. Checker de teléfono Servicios pensados para optimizar los procesos de comunicación de voz y SMS. Aspectos generales Basados en una aplicación de la tecnología ENUM. La ENUM API permite acceder a los servicios

Más detalles

SIGUIENDO LOS REQUISITOS ESTABLECIDOS EN LA NORMA ISO 14001 Y CONOCIENDO LAS CARACTERISTICAS DE LA EMPRESA CARTONAJES MIGUEL Y MATEO EL ALUMNO DEBERA

SIGUIENDO LOS REQUISITOS ESTABLECIDOS EN LA NORMA ISO 14001 Y CONOCIENDO LAS CARACTERISTICAS DE LA EMPRESA CARTONAJES MIGUEL Y MATEO EL ALUMNO DEBERA SIGUIENDO LOS REQUISITOS ESTABLECIDOS EN LA NORMA ISO 14001 Y CONOCIENDO LAS CARACTERISTICAS DE LA EMPRESA CARTONAJES MIGUEL Y MATEO EL ALUMNO DEBERA ELABORAR LA POLITICA AMBIENTAL PDF File: Siguiendo

Más detalles

Creating your Single Sign-On Account for the PowerSchool Parent Portal

Creating your Single Sign-On Account for the PowerSchool Parent Portal Creating your Single Sign-On Account for the PowerSchool Parent Portal Welcome to the Parent Single Sign-On. What does that mean? Parent Single Sign-On offers a number of benefits, including access to

Más detalles

Puede pagar facturas y gastos periódicos como el alquiler, el gas, la electricidad, el agua y el teléfono y también otros gastos del hogar.

Puede pagar facturas y gastos periódicos como el alquiler, el gas, la electricidad, el agua y el teléfono y también otros gastos del hogar. SPANISH Centrepay Qué es Centrepay? Centrepay es la manera sencilla de pagar sus facturas y gastos. Centrepay es un servicio de pago de facturas voluntario y gratuito para clientes de Centrelink. Utilice

Más detalles

Steps to Understand Your Child s Behavior. Customizing the Flyer

Steps to Understand Your Child s Behavior. Customizing the Flyer Steps to Understand Your Child s Behavior Customizing the Flyer Hello! Here is the PDF Form Template for use in advertising Steps to Understanding Your Child s Behavior (HDS Behavior Level 1B). Because

Más detalles

MCDC Marketers & Consumers Digital & Connected. Resultados España

MCDC Marketers & Consumers Digital & Connected. Resultados España MCDC Marketers & Consumers Digital & Connected Resultados España EUROPEOS EN LA RED Completa información sobre los consumidores europeos online Actividades realizadas y actitudes; engagement Encuesta online

Más detalles

Get an early start. Read this first. Use these Back-to-School flyers to reach parents early in the school year.

Get an early start. Read this first. Use these Back-to-School flyers to reach parents early in the school year. Get an early start. Read this first. Use these Back-to-School flyers to reach parents early in the school year. Choose your favorite style, complete the form, then make enough copies to distribute them

Más detalles

LA FIRMA THE FIRM QUIENES SOMOS ABOUT US

LA FIRMA THE FIRM QUIENES SOMOS ABOUT US LA FIRMA THE FIRM QUIENES SOMOS Somos una firma de abogados especialistas en derecho laboral, comercial y administrativo que entrega a sus clientes su conocimiento y experiencia de manera eficiente, oportuna

Más detalles

Kuapay, Inc. Seminario Internacional Modernización de los medios de pago en Chile

Kuapay, Inc. Seminario Internacional Modernización de los medios de pago en Chile Kuapay, Inc. Seminario Internacional Modernización de los medios de pago en Chile Our value proposition Kuapay s motto and mission Convert electronic transactions into a commodity Easy Cheap!!! Accessible

Más detalles

Beacons, la baliza de posicionamiento Universal Netclearance Systems & SETESCA

Beacons, la baliza de posicionamiento Universal Netclearance Systems & SETESCA Beacons, la baliza de posicionamiento Universal Netclearance Systems & SETESCA Introducción El nuevo faro para los clientes y consumidores Beacons Un Beacon es un pequeño dispositivo que activa un evento

Más detalles

COMPANY PROFILE. February / 2008. Iquique N 112 Fracc. Las Américas Naucalpan de Juárez. C.P. 53040 Edo. de México Tel. 5363-19-73

COMPANY PROFILE. February / 2008. Iquique N 112 Fracc. Las Américas Naucalpan de Juárez. C.P. 53040 Edo. de México Tel. 5363-19-73 COMPANY PROFILE Ubicación de Rios y Zonas de Inundación February / 2008 About us isp is a leading provider of geographic information system services in México. We serve a broad range of customers including

Más detalles

MICROSITIOS. Perfiles

MICROSITIOS. Perfiles MICROSITIOS Perfiles API para el consumo de servicios encargados de la creación, visualización, edición, eliminación y demás operaciones sobre los perfiles de usuarios de Metaportal. METAPORTAL 18/07/2014

Más detalles

Proud member of the We Mean Business. Text WeMeanBiz to this number: 98975 to learn more.

Proud member of the We Mean Business. Text WeMeanBiz to this number: 98975 to learn more. Proud member of the We Mean Business East new york Alliance. CHANGE IS COMING TO EAST NEW YORK, IT S HAPPENING NOW AND FAST, BE PREPARED. 1 Grow your biz 2 Learn to promote your biz 3 Know how to recruit

Más detalles

Guide to Health Insurance Part II: How to access your benefits and services.

Guide to Health Insurance Part II: How to access your benefits and services. Guide to Health Insurance Part II: How to access your benefits and services. 1. I applied for health insurance, now what? Medi-Cal Applicants If you applied for Medi-Cal it will take up to 45 days to find

Más detalles

Este proyecto tiene como finalidad la creación de una aplicación para la gestión y explotación de los teléfonos de los empleados de una gran compañía.

Este proyecto tiene como finalidad la creación de una aplicación para la gestión y explotación de los teléfonos de los empleados de una gran compañía. SISTEMA DE GESTIÓN DE MÓVILES Autor: Holgado Oca, Luis Miguel. Director: Mañueco, MªLuisa. Entidad Colaboradora: Eli & Lilly Company. RESUMEN DEL PROYECTO Este proyecto tiene como finalidad la creación

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

Connecting Cloudino Connector to FIWARE IoT

Connecting Cloudino Connector to FIWARE IoT Hoja 1 DE 9 Connecting Cloudino Connector to FIWARE IoT 1. What is FIWARE IoT FIWARE is an open software ecosystem provided by the FIWARE Community (htttp://www.fiware.org). FIWARE exposes to developers

Más detalles

Summer Reading Program. June 1st - August 10th, 2015

Summer Reading Program. June 1st - August 10th, 2015 June 1st - August 10th, 2015 Dear Educator, Attached you will find three flyer templates. You can use any of these templates to share your Group Number (GN) with your group participants. 1. 2. 3. The first

Más detalles

FAMILY INDEPENDENCE ADMINISTRATION Seth W. Diamond, Executive Deputy Commissioner

FAMILY INDEPENDENCE ADMINISTRATION Seth W. Diamond, Executive Deputy Commissioner FAMILY INDEPENDENCE ADMINISTRATION Seth W. Diamond, Executive Deputy Commissioner James K. Whelan, Deputy Commissioner Policy, Procedures, and Training Lisa C. Fitzpatrick, Assistant Deputy Commissioner

Más detalles

http://mvision.madrid.org

http://mvision.madrid.org Apoyando el desarrollo de carrera de investigadores en imagen biomédica Supporting career development of researchers in biomedical imaging QUÉ ES M+VISION? WHAT IS M+VISION? M+VISION es un programa creado

Más detalles

VVS UNO PROMOTIONAL MEDIA KIT MAGAZINE

VVS UNO PROMOTIONAL MEDIA KIT MAGAZINE VVS UNO PROMOTIONAL MEDIA KIT VVS UNO MARKETING PLANER VVSUNO, is focused in the luxury latin american market. We are located at Panama Diamond Exchange (PDE) phase 1 building, which is established in

Más detalles

Guía de referencia rápida / Quick reference guide Visor de Noticias Slider / NCS News Slider for SharePoint

Guía de referencia rápida / Quick reference guide Visor de Noticias Slider / NCS News Slider for SharePoint Guía de referencia rápida / Quick reference guide Visor de Noticias Slider / NCS News Slider for SharePoint Contenido ESPAÑOL... 3 Términos de Uso... 3 Soporte... 3 Look de la Aplicación... 3 Requisitos

Más detalles

Janssen Prescription Assistance. www.janssenprescriptionassistance.com

Janssen Prescription Assistance. www.janssenprescriptionassistance.com Janssen Prescription Assistance www.janssenprescriptionassistance.com Janssen Prescription Assistance What is Prescription Assistance? Prescription assistance programs provide financial help to people

Más detalles

Chattanooga Motors - Solicitud de Credito

Chattanooga Motors - Solicitud de Credito Chattanooga Motors - Solicitud de Credito Completa o llena la solicitud y regresala en persona o por fax. sotros mantenemos tus datos en confidencialidad. Completar una aplicacion para el comprador y otra

Más detalles

ISSUE N 1, 2013. Creative Concept Graphic Design Logofolio Interactive Design

ISSUE N 1, 2013. Creative Concept Graphic Design Logofolio Interactive Design ISSUE N 1, 2013 Creative Concept Graphic Design Logofolio Interactive Design TM INDEX WHAT WE DO.p2 MOODHOUSE CLIENTS.p4 CREATIVE CONCEPT.p6 - TABASCO - ABSOLUT - G4S GRAPHIC DESIGN.p10 - HOLCIM - MONSTER

Más detalles

Social networks: closing the gap between research and practice

Social networks: closing the gap between research and practice Social networks: closing the gap between research and practice Javier Tourón sábado 1 de septiembre de 12 Gifted Education community has to learn how to flood the market with the message... Source: Jeff

Más detalles

IRS DATA RETRIEVAL NOTIFICATION DEPENDENT STUDENT ESTIMATOR

IRS DATA RETRIEVAL NOTIFICATION DEPENDENT STUDENT ESTIMATOR IRS DATA RETRIEVAL NOTIFICATION DEPENDENT STUDENT ESTIMATOR Subject: Important Updates Needed for Your FAFSA Dear [Applicant], When you completed your 2012-2013 Free Application for Federal Student Aid

Más detalles

PHOTOBOOTH FLIPBOOKS. pricing/ precios. 2 Hour $440USD - $6,480MXN 3 Hour $600USD - $8,880MXN 4 Hour $740USD - $11,040MXN

PHOTOBOOTH FLIPBOOKS. pricing/ precios. 2 Hour $440USD - $6,480MXN 3 Hour $600USD - $8,880MXN 4 Hour $740USD - $11,040MXN pricing/ precios PHOTOBOOTH 2 Hour $440USD - $6,480MXN 3 Hour $600USD - $8,880MXN 4 Hour $740USD - $11,040MXN FLIPBOOKS $340 USD/Hr. *2 hour minimum on most days (Contact us for availibility) $5,000 MXN/Hr.

Más detalles

Título del Proyecto: Sistema Web de gestión de facturas electrónicas.

Título del Proyecto: Sistema Web de gestión de facturas electrónicas. Resumen Título del Proyecto: Sistema Web de gestión de facturas electrónicas. Autor: Jose Luis Saenz Soria. Director: Manuel Rojas Guerrero. Resumen En la última década se han producido muchos avances

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

FORMAT B2 SPEAKING EXAM

FORMAT B2 SPEAKING EXAM FORMAT B2 SPEAKING EXAM PRODUCCIÓN ORAL 25% 1 2 3 El examinador, de manera alternativa, hará preguntas a los dos alumnos. (4-5 min en total) Cada candidato tiene 15 segundos para preparar un tema determinado

Más detalles

Flashcards Series 3 El Aeropuerto

Flashcards Series 3 El Aeropuerto Flashcards Series 3 El Aeropuerto 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,

Más detalles

Nos adaptamos a sus necesidades We adapt ourselves to your needs

Nos adaptamos a sus necesidades We adapt ourselves to your needs Nos adaptamos a sus necesidades We adapt ourselves to your needs Welcome to Select Aviation The largest and most successful airline representation group in Spain, SELECT AVIATION (GSA) Airline Representatives

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

Facilities and manufacturing

Facilities and manufacturing Facilities and manufacturing diseño y producción design and production Roomdimensions Ibérica,s.l (RDI) es una empresa experta en la fabricación de mobiliario técnico, diseño integral de soluciones arquitectónicas

Más detalles

Registro de Semilla y Material de Plantación

Registro de Semilla y Material de Plantación Registro de Semilla y Material de Plantación Este registro es para documentar la semilla y material de plantación que usa, y su estatus. Mantenga las facturas y otra documentación pertinente con sus registros.

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) By Nelson Castro Enfermos de Poder: La Salud de los Presidentes y Sus Consecuencias (Spanish Edition) By Nelson Castro

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

Welcome to the Leaders Only Invitation!

Welcome to the Leaders Only Invitation! Welcome to the Leaders Only Invitation! Q & A A. Ultimate Cycler is here to stay! UC remains completely intact and is complementary to FreeToolBox. As a matter of fact, Ultimate Cycler is getting a facelift!

Más detalles

Copy the sentences, and fill in the blanks with the correctly conjugated verb.

Copy the sentences, and fill in the blanks with the correctly conjugated verb. lunes (10/2) Vámonos Copy the sentences, and fill in the blanks with the correctly conjugated verb. 1. Nosotros en la piscina. (NADAR) 2. Ella en la biblioteca. (ESTUDIAR) 3. Yo a mi madre. (AYUDAR) 4.

Más detalles

Elementos de Gestion Ambiental (Spanish Edition)

Elementos de Gestion Ambiental (Spanish Edition) Elementos de Gestion Ambiental (Spanish Edition) Juan Carlos Paez Zamora Click here if your download doesn"t start automatically Elementos de Gestion Ambiental (Spanish Edition) Juan Carlos Paez Zamora

Más detalles

El límite mínimo para las cuentas comerciales grandes es de $2,000/mes por el uso del servicio.

El límite mínimo para las cuentas comerciales grandes es de $2,000/mes por el uso del servicio. ONNETIUT OBERTURA DEL FORMULARIO DE FAX PARA: XOOM Energy lientes omerciales No. FAX: 866.452.0053 FEHA: NOMBRE DE EMPRESARIO INDEPENDIENTE: # IDENTIFIAIÓN DE NEGOIO: ORREO ELETRÓNIO: # DE PÁGINAS: TELÉFONO:

Más detalles

Point of sale. Dossier punto de venta

Point of sale. Dossier punto de venta Point of sale Dossier punto de venta Energy Sistem Starts at your Point of Sale Energy Sistem, parte de tu punto de venta Many purchasing decisions are taken at the P.O.S. Energy Sistem believes in communication

Más detalles

Botón de Pago Instapago versión 1.1 TECNOLOGÍA INSTAPAGO C.A. www.instapago.com

Botón de Pago Instapago versión 1.1 TECNOLOGÍA INSTAPAGO C.A. www.instapago.com Botón de Pago Instapago versión 1.1 TECNOLOGÍA INSTAPAGO C.A. www.instapago.com Histórico de Cambios Fecha Ver. Autor Descripción 06/06/2014 1.0 Enyert Viñas Creación del Documento 06/10/2014 1.1 Alex

Más detalles

UNA MUJER DE FE EXTRAORDINARIA: ENTREGA TODA TU VIDA A DIOS (SPANISH EDITION) BY JULIE CLINTON

UNA MUJER DE FE EXTRAORDINARIA: ENTREGA TODA TU VIDA A DIOS (SPANISH EDITION) BY JULIE CLINTON Read Online and Download Ebook UNA MUJER DE FE EXTRAORDINARIA: ENTREGA TODA TU VIDA A DIOS (SPANISH EDITION) BY JULIE CLINTON DOWNLOAD EBOOK : UNA MUJER DE FE EXTRAORDINARIA: ENTREGA TODA TU Click link

Más detalles

Android Studio Curso Basico: Aprenda paso a paso (Spanish Edition)

Android Studio Curso Basico: Aprenda paso a paso (Spanish Edition) Android Studio Curso Basico: Aprenda paso a paso (Spanish Edition) Auth Luis Ayala Click here if your download doesn"t start automatically Android Studio Curso Basico: Aprenda paso a paso (Spanish Edition)

Más detalles

Vivir en la luz., libro de trabajo

Vivir en la luz., libro de trabajo Vivir en la luz., libro de trabajo Shakti Gawain Click here if your download doesn"t start automatically Vivir en la luz., libro de trabajo Shakti Gawain Vivir en la luz., libro de trabajo Shakti Gawain

Más detalles

Setting Up an Apple ID for your Student

Setting Up an Apple ID for your Student Setting Up an Apple ID for your Student You will receive an email from Apple with the subject heading of AppleID for Students Parent/Guardian Information Open the email. Look for two important items in

Más detalles

Are you interested in helping to GOVERN the Authority, DEVELOP current and future programs, and APPROVE contracts?

Are you interested in helping to GOVERN the Authority, DEVELOP current and future programs, and APPROVE contracts? Albany Housing Authority RESIDENT COMMISSIONER ELECTION Are you interested in helping to GOVERN the Authority, DEVELOP current and future programs, and APPROVE contracts? RUN FOR RESIDENT COMMISSIONER

Más detalles

Lump Sum Final Check Contribution to Deferred Compensation

Lump Sum Final Check Contribution to Deferred Compensation Memo To: ERF Members The Employees Retirement Fund has been asked by Deferred Compensation to provide everyone that has signed up to retire with the attached information. Please read the information from

Más detalles

CóMO OLVIDAR A ALGUIEN EN 10 PASOS: DEJA DE SUFRIR POR AMOR (SPANISH EDITION) BY IVAN ENTUSIASMADO

CóMO OLVIDAR A ALGUIEN EN 10 PASOS: DEJA DE SUFRIR POR AMOR (SPANISH EDITION) BY IVAN ENTUSIASMADO Read Online and Download Ebook CóMO OLVIDAR A ALGUIEN EN 10 PASOS: DEJA DE SUFRIR POR AMOR (SPANISH EDITION) BY IVAN ENTUSIASMADO DOWNLOAD EBOOK : CóMO OLVIDAR A ALGUIEN EN 10 PASOS: DEJA DE SUFRIR Click

Más detalles

Diseño y fabricación de expositores PLV. Design and fabrication of POP displays

Diseño y fabricación de expositores PLV. Design and fabrication of POP displays Diseño y fabricación de expositores PLV Design and fabrication of POP displays Empresa Company Soluciones para el diseño y fabricación de expositores PLV Solutions design and manufacture POP displays Con

Más detalles

La Video conferencia con Live Meeting

La Video conferencia con Live Meeting Página 1 INSTRUCCIONES PARA TRABAJAR CON LIVE MEETING.- PREVIO. Para que tenga sentido la videoconferencia es conveniente que tengamos sonido (no suele ser problemático) y que tengamos vídeo. Si el ordenador

Más detalles

Spanish 3V: Winter 2014

Spanish 3V: Winter 2014 Spanish 3V: Winter 2014 Elementary Spanish 3 in online format: https://login.uconline.edu/ Robert Blake, rjblake@ucdavis.edu; Rebecca Conley, mconley@ucdavis.edu Description: Spanish 3V is the second of

Más detalles

LA DONCELLA DE LA SANGRE: LOS HIJOS DE LOS ANGELES CAIDOS (LOS HIJOS DE LOS NGELES CADOS) (VOLUME 1) (SPANISH EDITION) BY AHNA STHAUROS

LA DONCELLA DE LA SANGRE: LOS HIJOS DE LOS ANGELES CAIDOS (LOS HIJOS DE LOS NGELES CADOS) (VOLUME 1) (SPANISH EDITION) BY AHNA STHAUROS LA DONCELLA DE LA SANGRE: LOS HIJOS DE LOS ANGELES CAIDOS (LOS HIJOS DE LOS NGELES CADOS) (VOLUME 1) (SPANISH EDITION) BY AHNA STHAUROS READ ONLINE AND DOWNLOAD EBOOK : LA DONCELLA DE LA SANGRE: LOS HIJOS

Más detalles

Portal para Padres CPS - Parent Portal. Walter L. Newberry Math & Science Academy Linda Foley-Acevedo, Principal Ed Collins, Asst.

Portal para Padres CPS - Parent Portal. Walter L. Newberry Math & Science Academy Linda Foley-Acevedo, Principal Ed Collins, Asst. Portal para Padres CPS - Parent Portal Walter L. Newberry Math & Science Academy Linda Foley-Acevedo, Principal Ed Collins, Asst. Principal (773) 534-8000 Formando su cuenta - Setting up your account Oprima

Más detalles

Análisis y Diseño de Sistemas

Análisis y Diseño de Sistemas Análisis y Diseño de Sistemas Presentación de Sistemas Proyecto de Cursado Primer cuatrimestre 2012- DCIC-UNS Telma Delladio Agenda Proyecto de Cursado Sistemas de interés E-Learning E-Commerce Project

Más detalles

Salud Plan Highlights

Salud Plan Highlights Salud con Health Net Groups Salud Plan Highlights HMO, PPO and EPO Health care coverage for your diverse workforce Herminia Escobedo, Health Net We get members what they need. Salud con Health Net Latino

Más detalles

Microsoft Office Word

Microsoft Office Word Designed by:mary Luz Roa M. Microsoft Office Word Cinta Diseño de Página Márgenes Orientación Tamaño de página Cinta Insertar Imágenes Tablas Formas Agustiniano Salitre School 2017 Autor: Valor Creativo

Más detalles

Northwestern University, Feinberg School of Medicine

Northwestern University, Feinberg School of Medicine Improving Rates of Repeat Colorectal Cancer Screening Appendix Northwestern University, Feinberg School of Medicine Contents Patient Letter Included with Mailed FIT... 3 Automated Phone Call... 4 Automated

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

Save Money 2-up Single Doorhanger Set OH payday advance edition, 4 different doorhangers, Spanish

Save Money 2-up Single Doorhanger Set OH payday advance edition, 4 different doorhangers, Spanish Save Money 2-up Single Doorhanger Set OH payday advance edition, 4 different doorhangers, Spanish PACKAGE CONTENTS How to Customize 4-color doorhanger, Editable PDF (50% OFF first loan) 1-color (black)

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

Print-A-Part products will also be marketed through established on-line retailers including; Amazon, AliBaba, and others.

Print-A-Part products will also be marketed through established on-line retailers including; Amazon, AliBaba, and others. Print-a-Part 3d: Welcome to the future... For Immediate Release: Release date: For Immediate Release (17,12,2014) Subject : The "Killer App" for 3d printers. Welcome to the Future! (Versión española de

Más detalles

1. Sign in to the website, http://www.asisonline.org / Iniciar sesión en el sitio, http://www.asisonline.org

1. Sign in to the website, http://www.asisonline.org / Iniciar sesión en el sitio, http://www.asisonline.org Steps to Download Standards & Guidelines from the ASIS International Website / Pasos para Descargar los Standards & Guidelines de la Página Web de ASIS International 1. Sign in to the website, http://www.asisonline.org

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

Si usted quiere desarrollar con Bluevia y Java, esto es lo primero que debe saber

Si usted quiere desarrollar con Bluevia y Java, esto es lo primero que debe saber LIMINAL Si usted quiere desarrollar con Bluevia y Java, esto es lo primero que debe saber Mario Linares Vásquez mario.linares@liminal-it.con Junio 30 de 2011 Network as a Service - NaaS Que información

Más detalles

Corporate IP Communicator TELEFONICA ESPAÑA

Corporate IP Communicator TELEFONICA ESPAÑA Corporate IP Communicator TELEFONICA ESPAÑA 01 Infrastructures and Services Development On vertical networks related to the service that they provide to convergent services lent on an horizontal network

Más detalles

Orden de domiciliación o mandato para adeudos directos SEPA. Esquemas Básico y B2B

Orden de domiciliación o mandato para adeudos directos SEPA. Esquemas Básico y B2B Orden de domiciliación o mandato para adeudos directos SEPA. Esquemas Básico y B2B serie normas y procedimientos bancarios Nº 50 Abril 2013 INDICE I. Introducción... 1 II. Orden de domiciliación o mandato

Más detalles

ES/MS Library Vacation Hours Read Online TumbleBook Cloud Junior. TumbleBook Cloud Junior AEEL2 login Ebooks

ES/MS Library Vacation Hours Read Online TumbleBook Cloud Junior. TumbleBook Cloud Junior AEEL2 login Ebooks ES/MS Library Vacation Hours The Elementary School Middle School Library will be open during vacation. Vacation hours are from 9am to 12 noon and 1pm to 3pm. Read Online Read Online from the Lincoln Website!

Más detalles

PROBLEMAS PARA LA CLASE DEL 20 DE FEBRERO DEL 2008

PROBLEMAS PARA LA CLASE DEL 20 DE FEBRERO DEL 2008 PROBLEMAS PARA LA CLASE DEL 20 DE FEBRERO DEL 2008 Problema 1 Marketing estimates that a new instrument for the analysis of soil samples will be very successful, moderately successful, or unsuccessful,

Más detalles

APIdays Mediterranea The international conference about the tech & business of APIs May 6 th & 7 th 2015 - Barcelona

APIdays Mediterranea The international conference about the tech & business of APIs May 6 th & 7 th 2015 - Barcelona APIdays Mediterranea The international conference about the tech & business of APIs May 6 th & 7 th 2015 - Barcelona Welcome aboard What s APIdays Mediterranea? APIdays is the main independent conference

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

EN / ES Airtribune Live tracking Instructions

EN / ES Airtribune Live tracking Instructions Airtribune Live tracking Instructions 1. Activate the desired service plan: Personal GSM live tracking with pilots devices Personal GSM & satellite tracking GSM tracking with rented of own tracker set.

Más detalles

Certificado de Asistente de Oficina

Certificado de Asistente de Oficina Certificado de Asistente de Oficina Los estudiantes interesados en obtener este Certificado deben cumplir con los siguientes requisitos: Ser estudiante activo en la Facultad de Administración de Empresas,

Más detalles

ASI HABLO ZARATUSTRA UN LIBRO PARA TODOS Y PARA NADIE SPANISH EDITION

ASI HABLO ZARATUSTRA UN LIBRO PARA TODOS Y PARA NADIE SPANISH EDITION ASI HABLO ZARATUSTRA UN LIBRO PARA TODOS Y PARA NADIE SPANISH EDITION READ ONLINE AND DOWNLOAD EBOOK : ASI HABLO ZARATUSTRA UN LIBRO PARA TODOS Y PARA NADIE SPANISH EDITION PDF Click button to download

Más detalles

No re-takes on Unit Tests

No re-takes on Unit Tests No re-takes on Unit Tests Hola. Me llamo Ana María Rodríguez. Soy de Santiago, Chile. Tengo una familia muy buena. Mi papá es de Mendoza, Argentina. Mi mamá es de Viña del Mar, Chile. Ellos llevan

Más detalles

Citizenship. Citizenship means obeying the rules and working to make your community a better place.

Citizenship. Citizenship means obeying the rules and working to make your community a better place. Citizenship Citizenship means obeying the rules and working to make your community a better place. I show good citizenship when I help keep my school and community clean. I am a good citizen when I follow

Más detalles

Servicio para comprobar si un email está operativo. Coteja los correos de tus bases de datos.

Servicio para comprobar si un email está operativo. Coteja los correos de tus bases de datos. MailStatus API Servicio para comprobar si un email está operativo. Coteja los correos de tus bases de datos. Aspectos generales La MailStatus API de Lleida.net permite consultar la validez de una dirección

Más detalles

NubaDat An Integral Cloud Big Data Platform. Ricardo Jimenez-Peris

NubaDat An Integral Cloud Big Data Platform. Ricardo Jimenez-Peris NubaDat An Integral Cloud Big Data Platform Ricardo Jimenez-Peris NubaDat Market Size 3 Market Analysis Conclusions Agenda Value Proposition Product Suite Competitive Advantages Market Gaps Big Data needs

Más detalles

Welcome to lesson 2 of the The Spanish Cat Home learning Spanish course.

Welcome to lesson 2 of the The Spanish Cat Home learning Spanish course. Welcome to lesson 2 of the The Spanish Cat Home learning Spanish course. Bienvenidos a la lección dos. The first part of this lesson consists in this audio lesson, and then we have some grammar for you

Más detalles

English Workout. Indonesians Connect with Feature Phones. 1) What does the boy sell? Answer: 2) Why does he like having a cell phone?

English Workout. Indonesians Connect with Feature Phones. 1) What does the boy sell? Answer: 2) Why does he like having a cell phone? 1) What does the boy sell? 2) Why does he like having a cell phone? 3) Why do they call it a smartphone lite? 4) How much is a smartphone in Indonesia? 5) What is Ruma working on? 6) What is suprising

Más detalles

Sistema basado en firma digital para enviar datos por Internet de forma segura mediante un navegador.

Sistema basado en firma digital para enviar datos por Internet de forma segura mediante un navegador. Sistema basado en firma digital para enviar datos por Internet de forma segura mediante un navegador. Autor: David de la Fuente González Directores: Rafael Palacios, Javier Jarauta. Este proyecto consiste

Más detalles

Speak Up! In Spanish. Young s Language Consulting. Young's Language Consulting. Lesson 1 Meeting and Greeting People.

Speak Up! In Spanish. Young s Language Consulting. Young's Language Consulting. Lesson 1 Meeting and Greeting People. Buenos días Good morning Buenos días Good afternoon Buenas tardes Good evening Buenas tardes Good night Buenas noches Sir Señor Ma am/mrs. Señora Miss Señorita Buenas tardes Culture Note: When greeting

Más detalles

La ayuda practica de hoy para los CIO s y responsables de servicio

La ayuda practica de hoy para los CIO s y responsables de servicio Ignacio Fernández Paul Director General España y Portugal Numara Software, Inc Febrero 2009 La ayuda practica de hoy para los CIO s y responsables de servicio Numara Software Con más de 50,000 clientes,

Más detalles

Soccer and Scouting in Your Organization A Worthwhile Combination

Soccer and Scouting in Your Organization A Worthwhile Combination English/Spanish Soccer and Scouting in Your Organization A Worthwhile Combination Fútbol y los Scouts en Su Organización Una Combinación que Vale la Pena The Soccer and Scouting Program at a Glance The

Más detalles

TLC 3 Student Mobile Device Configuration Specifications

TLC 3 Student Mobile Device Configuration Specifications TLC 3 Student Mobile Device Configuration Specifications All students are REQUIRED to configure and maintain their mobile devices as outlined in this document. Non-compliance is a violation of District

Más detalles

USER MANUAL VMS FOR PC VMS PARA PC English / Español

USER MANUAL VMS FOR PC VMS PARA PC English / Español USER MANUAL VMS FOR PC VMS PARA PC English / Español ENGLISH SECTION You must enter into the application with the following data: Account Type: Local User Name: admin Password: admin If you want your PC

Más detalles

Welcome to the CU at School Savings Program!

Welcome to the CU at School Savings Program! Welcome to the CU at School Savings Program! Thank you for your interest in Yolo Federal Credit Union s CU at School savings program. This packet of information has everything you need to sign your child

Más detalles

TECHNOLOGY ENHANCED LANGUAGE LEARNING MODULE Module on Las partes del cuerpo humano

TECHNOLOGY ENHANCED LANGUAGE LEARNING MODULE Module on Las partes del cuerpo humano Student s name: TECHNOLOGY ENHANCED LANGUAGE LEARNING MODULE Module on Las partes del cuerpo humano INTERPRETIVE MODE: Preparation Phase: In this module, you will learn about Las partes del cuerpo humano.

Más detalles

manual de servicio nissan murano z51

manual de servicio nissan murano z51 manual de servicio nissan murano z51 Reference Manual To understand featuring to use and how to totally exploit manual de servicio nissan murano z51 to your great advantage, there are several sources of

Más detalles

INSTRUCCIONES PARA ENVIAR SU PELICULA PARA LA VIDEOLIBRERIA

INSTRUCCIONES PARA ENVIAR SU PELICULA PARA LA VIDEOLIBRERIA For English version, please scroll down to page 11 (eleven) INSTRUCCIONES PARA ENVIAR SU PELICULA PARA LA VIDEOLIBRERIA Especificaciones técnicas Container format:.mp4 / tamaño de archivo no superior a

Más detalles

Los Cuatro Jinetes del Apocalipsis: Cuál es el Verdadero Origen del mal y del Sufrimiento y cómo Podemos Lograr un Mundo Mejor (Spanish Edition)

Los Cuatro Jinetes del Apocalipsis: Cuál es el Verdadero Origen del mal y del Sufrimiento y cómo Podemos Lograr un Mundo Mejor (Spanish Edition) Los Cuatro Jinetes del Apocalipsis: Cuál es el Verdadero Origen del mal y del Sufrimiento y cómo Podemos Lograr un Mundo Mejor (Spanish Edition) Ángel M. Llerandi Click here if your download doesn"t start

Más detalles