sábado, 26 de enero de 2013

blog Leo Messi GOAL!, el primer juego de Messi para el móvil

blog

Me imagino que algunos viejos jugadores de fútbol deben estar revolviéndose en su tumba al saber de los nuevos y lucrativos negocios que se pueden hacer hoy en día en este deporte. Las publicidades pagan todo un salario aparte, pero ahora con el ingreso de la telefonía móvil al negocio… éste da para todo.

Y si el fútbol es un juego exitoso no solo en vivo y en directo sino también en la televisión y en los videojuegos, ¿quién dijo que no es exitoso como juego para móviles? En fin, el caso es que la empresa Artificial Life ha anunciado un nuevo juego llamado Leo Messi-GOAL!, el primer juego de una serie de juegos futuros que estarán basados en este popular jugador argentino de apenas 21 años.

¿De qué se trata el juego? De ser por unos instantes este jugador, de jugar en equipo para ganar el campeonato y de hacer las mejores y típicas jugadas de cualquier partido. Se han desarrollado algunos movimientos típicos de Messi y estos están plasmados con gráficos 2D y 3D a partir de la captura del movimiento del jugador.

Por su parte el oponente desarrolla inteligencia propia así que no dejará de sorprender. Hay dos modos, el "Quick Match" y el "Championship League", cada uno con distintos niveles de dificultad, y algunas situaciones cómicas que además de entretenido vuelven al juego divertido.

descargar aqui

Las modelos argentinas mas lindas aqui Modelos Argentinas

martes, 8 de enero de 2013

Electronica Video de Cámara Samsung CL80

Electronica http://www.youtube.com/watch?v=xDZZilHacSMendofvid
[starttext]
Cuenta con un sensor de 14 megapíxeles, zoom óptico 7x, ranura para tarjetas microSD, pantalla LCD touchscreen AMOLED de 3.7 pulgadas con resolución de 640×480 píxeles, y ahora cuenta con Wifi, con el cual podrás subir tus fotos a Facebook, Flickr, Photobox o Picasa.
[endtext]

Visite este Download Videos Increible

lunes, 7 de enero de 2013

Novedades Canadian mini-satellite promises to detect Earth-destroying asteroids

Novedades

Filed under:


It's hardly the only project out there that's aiming to detect asteroids on a collision course with Earth before it's too late, but this effort backed by Defence Research Development Canada and the Canadian Space Agency does take a slightly different tact than most and, despite appearances above, it's apparently actually close to a launch. Dubbed the NEOSSat, the suitcase-sized satellite packs a 15-centimeter diameter telescope that's able to look for objects near the sun (something impossible to do from Earth), and it'll reportedly be able to stay in orbit around Earth for at least five years using no more power than a 60-watt light bulb. If all goes as planned, the satellite will hitch a ride into space sometime in 2010, when it'll take part in NASA's efforts to find 90 percent of the 95,000 near-Earth 'space rocks' that are at least 140 meters in diameter before 2020.

[Via Slashdot, image courtesy of NEOSSat]
Read | Permalink | Email this | Comments

Blog Recomendado: FotosModelosColombianas

Novedades New Social APIs in Android ICS

Novedades

[This post is by Daniel Lehmann, Tech Lead on the Android Apps team. — Tim Bray]

[We're trying something new; There's a post over on Google+ where we'll host a discussion of this article. Daniel Lehmann has agreed to drop by and participate. Come on over and join in!]

With Android Ice Cream Sandwich, we set out to build software that supports emotional connections between humans and the devices they carry. We wanted to build the most personal device that the user has ever owned.

The first ingredient in our recipe is to show users the people that they care about most in a magazine-like way. High-resolution photos replace simple lists of text.

The second ingredient is to more prominently visualize their friends' activities. We show updates from multiple sources wherever a contact is displayed, without the need to open each social networking app individually.

Android is an open platform, and in Ice Cream Sandwich we provide a rich new API to allow any social networking application to integrate with the system. This post explains how apps like Google+ use these APIs, and how other social networks can do the same.

A few basics

Since Eclair (Android 2.0), the system has been able to join contacts from different sources. Android can notice if you are connected to the same person and different networks, and join those into aggregate contacts.

Essential terms to understand throughout the remainder of this post are:

  • RawContact is a contact as it exists in one source, for example a friend in Skype.

  • Data rows exists for each piece of information that the raw contact contains (name, phone number, email address, etc.).

  • A Contact joins multiple raw contacts into one aggregate. This is what the user perceives as a real contact in the People and Phone apps.

  • A sync adapter synchronizes its raw contacts with its cloud source. It can be bundled with a Market application (examples: Skype, Twitter, Google+).

While users deal with contacts, sync adapters work with their raw contact rows. They own the data inside a raw contact, but by design it is left up to Android to properly join raw contact rows with others.

Contacts sync adapters have a special xml file that describes their content, which is documented in the Android SDK. In the following paragraphs, we'll assume this file is named contacts.xml.

The Android SDK also contains the application SampleSyncAdapter (and its source code) that implements everything mentioned in here in an easy to understand way.

High resolution photos

In Android versions prior to Honeycomb (3.0), contact photos used to be 96x96. Starting with ICS, they now have a thumbnail (which is the 96x96 version) and a display photo. The display photo's maximum size can vary from device to device (On Galaxy Nexus and Nexus S, it is currently configured to be 256x256, but expect this to vary with future devices). The size as configured can be queried like this:

private static int getPhotoPickSize(Context context) {    // Note that this URI is safe to call on the UI thread.    Cursor c = context.getContentResolver().query(DisplayPhoto.CONTENT_MAX_DIMENSIONS_URI,        new String[]{ DisplayPhoto.DISPLAY_MAX_DIM }, null, null, null);    try {      c.moveToFirst();      return c.getInt(0);    } finally {      c.close();    }  }

This value is useful if you need to query the picture from the server (as you can specify the right size for the download). If you already have a high resolution picture, there is no need for any resizing on your side; if it is too big, the contacts provider will downsample it automatically.

Up until now, pictures were written using a ContentValues object, just like all the other data rows of the raw contact. While this approach is still supported, it might fail when used with bigger pictures, as there is a size limit when sending ContentValues across process boundaries. The prefered way now is to use an AssetFileDescriptor and write them using a FileOutputStream instead:

private static void saveBitmapToRawContact(Context context, long rawContactId, byte[] photo) throws IOException {      Uri rawContactUri = ContentUris.withAppendedId(RawContacts.CONTENT_URI, rawContactId);      Uri outputFileUri =          Uri.withAppendedPath(rawContactUri, RawContacts.DisplayPhoto.CONTENT_DIRECTORY);      AssetFileDescriptor descriptor = context.getContentResolver().openAssetFileDescriptor(          outputFileUri, 'rw');      FileOutputStream stream = descriptor.createOutputStream();      try {        stream.write(photo);      } finally {        stream.close();        descriptor.close();      }  }

For best results, store uncompressed square photos and let the contacts provider take care of compressing the photo. It will create both a thumbnail and a display photo as necessary.

This API is available on API version 14+. For older versions, we recommend to fallback to the old method using ContentValues and assuming a constant size of 96x96.

Update streams

The API for update streams is the biggest new addition for contacts in Ice Cream Sandwich. Sync adapters can now enrich their contact data by providing a social stream that includes text and photos.

This API is intended to provide an entry point into your social app to increase user engagement. We chose to only surface the most recent few stream items, as we believe that your social app will always be the best way to interact with posts on your network.

StreamItems rows are associated with a raw contact row. They contain the newest updates of that raw contact, along with text, time stamp and comments. They can also have pictures, which are stored in StreamItemPhotos. The number of stream items per raw contact has a limit, which on the current Nexus devices is set to 5, but expect this number to change with future devices. The limit can be queried like this:

private static int getStreamItemLimit(Context context) {    // Note that this URI is safe to call on the UI thread.    Cursor c = context.getContentResolver().query(StreamItems.CONTENT_LIMIT_URI,        new String[]{ StreamItems.MAX_ITEMS }, null, null, null);    try {      c.moveToFirst();      return c.getInt(0);    } finally {      c.close();    }  }

When displayed in the People app, stream items from all participating raw contacts will be intermixed and shown chronologically.

The following function shows how to add a stream item to an existing raw contact:

private static void addContactStreamItem(Context context, long rawContactId, String text,      String comments, long timestamp, String accountName, String accountType){    ContentValues values = new ContentValues();    values.put(StreamItems.RAW_CONTACT_ID, rawContactId);    values.put(StreamItems.TEXT, 'Breakfasted at Tiffanys');    values.put(StreamItems.TIMESTAMP, timestamp);    values.put(StreamItems.COMMENTS, comments);    values.put(StreamItems.ACCOUNT_NAME, accountName);    values.put(StreamItems.ACCOUNT_TYPE, accountType);    context.getContentResolver().insert(StreamItems.CONTENT_URI, values);  }

You can also specify an action that should be executed when a stream item or one of its photos is tapped. To achieve this, specify the receiving Activities in your contacts.xml using the tags viewStreamItemActivity and viewStreamItemPhotoActivity:

<ContactsAccountType    xmlns:android='http://schemas.android.com/apk/res/android'    viewStreamItemActivity='com.example.activities.ViewStreamItemActivity"    viewStreamItemPhotoActivity='com.example.activities.ViewStreamItemPhotoActivity'>    <!-- Description of your data types -->  </ContactsAccountType>

Update streams are available on API version 15+ and are intended to replace the StatusUpdate API. For previous versions, we recommend that you fall back to the StatusUpdates API, which only shows a single text item and no pictures.

"Me" profile

Ice Cream Sandwich is the first version of Android that supports the "Me" contact, which is prominently shown at the top of the list of the new People app. This simplifies use-cases that used to be a multi-tap process in previous versions — for example, sharing personal contact data with another person or "navigating home" in a navigation app. Also it allows applications to directly address the user by name and show their photo.

The "Me" profile is protected by the new permissions READ_PROFILE and WRITE_PROFILE. The new functionality is powerful; READ_PROFILE lets developers access users' personally identifying information. Please make sure to inform the user on why you require this permission.

The entry point to the new API is ContactsContract.Profile and is available on API version 14+.

Add connection

Previously, connecting with users on a social network involved opening the respective social networking app, searching for the person and then connecting ("Friend", "Follow" etc.). Ice Cream Sandwich has a much slicker approach: When looking at an existing contact in the People application, the user can decide to add this person to another network as well. For example, the user might want to follow a person on Google+ that they already have as a contact in Gmail.

Once the user taps one of the "Add connection" commands, the app is launched and can look for the person using the information that is already in the contact. Search criteria are up to the app, but good candidates are name, email address or phone number.

To specify your "Add connection" menu item, use the attributes inviteContactActivity and inviteContactActionLabel in your contacts.xml:

<ContactsAccountType    xmlns:android='http://schemas.android.com/apk/res/android'    inviteContactActivity='com.example.activities.InviteContactActivity'    inviteContactActionLabel='@string/invite_action_label'>    <!-- Description of your data types -->  </ContactsAccountType>

Be sure to use the same verb as you typically use for adding connections, so that in combination with your app icon the user understands which application is about to be launched.

The "Add connection" functionality is available on API version 14+.

Contact-view notification

High-resolution pictures need a lot of space, and social streams quickly become outdated. It is therefore not a good idea to keep the whole contacts database completely in sync with the social network. A well-written sync adapter should take importance of contacts into account; as an example, starred contacts are shown with big pictures, so high-resolution pictures are more important. Your network might also have its own metrics that can help to identify important contacts.

For all other contacts, you can register to receive a notification which is sent by the People app to all sync adapters that contribute to a contact whenever the contact's detail page is opened. At that point, you can provide additional information. As an example, when the Google+ sync adapter receives this notification, it pulls in the high-resolution photo and most recent social stream posts for that user and writes them to the contacts provider. This can be achieved by adding the viewContactNotifyService attribute to contacts.xml:

<ContactsAccountType    xmlns:android='http://schemas.android.com/apk/res/android'    viewContactNotifyService='com.example.notifier.NotifierService'>    <!-- Description of your data types -->  </ContactsAccountType>

When this Intent is launched, its data field will point to the URI of the raw contact that was opened.

These notifications are available with API version 14+.

Summary

With Ice Cream Sandwich, we improved key areas around high resolution photos and update streams, and simplified the creation of new connections.

Everything outlined in here is done using open APIs that can be implemented by any network that wants to participate. We're excited to see how developers take advantage of these new features!

Operacion Triunfo Estefania Gonzalez Operacion Triunfo Estefania Gonzalez

sábado, 5 de enero de 2013

blog 18 capitulos de la Pantera Rosa en 3gp para tu celular

blog

El nacimiento de la pantera rosa fue casi una casualidad. En la película original titulada La pantera rosa de Blake Edwards, la pantera rosa, en realidad, era un diamante de gran valor y, por extensión, un ladrón de guante blanco que había logrado sustraerlo.

Como personaje animado, la propia pantera rosa nace en esa primera película, cuando se recurrió a una animación para ilustrar el título y los créditos iniciales y finales de la película.

En resolucion 176 x 144 y en español latino

come_on_in_the_wathers_pink
congratulations_its_pink
gi_pink
in_the_pink
jet_pink
little_beaux_pink
lucky_pink
pink_in_the_clink
pink_is_a_many_splintered_thing
pink_of_the_litter
pink_outs
pink_paradise
pink_sphinx
pink_valiant
pinkadilly_circus
pinto_pink
prefabricated_pink
prehistoric_pink
Si quiere ganar dinero entre aqui EuroForex

jueves, 3 de enero de 2013

Novedades El iPhone 4S podría ser el electrónico de consumo de más rápida venta

Novedades Los productos de Apple se venden como pan caliente en todo el mundo, tanto que le permitieron a la compañía de Cupertino alcanzar un récord en sus resultados financieros del cuatro trimestre de 2011.

Lo más interesante es que esto podría constituir un récord Guinness para la más reciente versión del smartphone de la estadounidense, el iPhone 4S, que habría superado al sensor Kinect para la Xbox, en lo que a número de dispositivos vendidos se refiere. Revisemos los cifras para que ustedes puedan tener una idea:

El Kinect consiguió el año pasado el récord de ser el "aparato electrónico de consumo que más rápido había vendido" con nada menos que ocho millones de unidades durante los primeros 60 días desde su salida al mercado.

Por su parte, en los últimos tres meses del año pasado se vendieron 37 millones de iPhones, de los cuales, según un estudio de Consumer Intelligence Research, un 89 % corresponderían al 4S. O sea que serían 33 millones de iPhone 4S que habrían sido comercializados en sólo 78 días desde que llegara a las tiendas el 14 de octubre.

Veremos qué sucede cuando se anuncien los ganadores de los récords Guinness de este año.

Blog Recomendado: FotosModelosColombianas

martes, 1 de enero de 2013

Electronica Apple ficha al creador de JailbreakMe

Electronica Apple ha hecho suyo el viejo dicho que reza "si no puedes con tu enemigo, únete a él". Quizás una de las amenazas más directas para la viabilidad del ecosistema móvil de los de Cupertino, desde el punto de vista netamente financiero, son las diferentes formas de llevar a cabo un "jailbreak" sobre cualquier dispositivo móvil mediante herramientas que se aprovechan de vulnerabilidades encontradas en iOS. Qué mejor forma de acabar con esto que metiendo en nómina al creador de la revolucionaria herramienta JailbreakMe.

Comex es el psudónimo tras el que se esconde el nombre de Nicholas Allegra y que tiene en su haber una serie de utilidades muy populares para la realización de jailbreak en dispositivos iOS, siendo la anteriormente mencionada la más fácil de usar.

Los intentos de Apple por poner fin a dichas prácticas, o al menos de frenarlas con la publicación de sucesivas actualizaciones menores del sistema operativo, no han tenido demasiado éxito, por lo que no sería de extrañar la maniobra de la compañía para aprovechar la habilidades del joven estudiante de 19 años durante sus prácticas.

De hecho, parece muy poco probable que Allegra continúe colaborando con el iPhone Dev Team investigando nuevos métodos para explotar las posibles vulnerabilidades de iOS mientras colabora con Apple, pudiendo llegar incluso a ser tentado con una suculenta cantidad de dinero a cambio de pasar a formar parte de la plantilla de forma oficial, trabajando para averiguar cómo tapar los agujeros de seguridad de la plataforma.

"Que poderoso caballero es Don Dinero".

Visite este Españolas Hermosas fotos