You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@cordova.apache.org by mw...@apache.org on 2013/08/30 19:26:21 UTC

[31/36] Add edge for Spanish, French, and Chinese.

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.getNumberPattern.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.getNumberPattern.md b/docs/es/edge/cordova/globalization/globalization.getNumberPattern.md
new file mode 100644
index 0000000..ebf784c
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.getNumberPattern.md
@@ -0,0 +1,126 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.getNumberPattern
+
+Devuelve una cadena de patrón para analizar números según las preferencias del usuario del cliente y el formato.
+
+    navigator.globalization.getNumberPattern(successCallback, errorCallback, options);
+    
+
+## Descripción
+
+Devuelve el patrón a la `successCallback` con un objeto de `properties` como un parámetro. Ese objeto contiene las siguientes propiedades:
+
+*   **patrón**: el patrón del número a analizar números y el formato. Los patrones siguen Unicode técnica estándar #35. <http://unicode.org/reports/tr35/tr35-4.html>. *(String)*
+
+*   **símbolo**: el símbolo a usar cuando formateo y análisis, como un símbolo por ciento o moneda. *(String)*
+
+*   **fracción**: el número de dígitos fraccionarios a utilizar al análisis sintáctico y el formato de números. *(Número)*
+
+*   **redondeo**: el redondeo incremento para utilizar al análisis sintáctico y formato. *(Número)*
+
+*   **positivo**: el símbolo para números positivos al análisis sintáctico y formato. *(String)*
+
+*   **negativo**: el símbolo para números negativos al análisis sintáctico y formato. *(String)*
+
+*   **decimal**: el símbolo decimal para analizar y dar formato. *(String)*
+
+*   **agrupación**: el símbolo de la agrupación para analizar y dar formato. *(String)*
+
+Si hay un error obteniendo el patrón, entonces el `errorCallback` ejecuta con un objeto `GlobalizationError` como un parámetro. Código esperado del error es `GlobalizationError.PATTERN\_ERROR`.
+
+El parámetro `options` es opcional, y los valores por defecto son:
+
+    {type:'decimal'}
+    
+
+El `options.type` puede ser `decimal`, `percent` o `currency`.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Cuando el navegador se establece en la localidad de `en\_US`, esto debe mostrar un cuadro de diálogo emergente con texto similar a los resultados que siguen:
+
+    navigator.globalization.getNumberPattern(
+        function (pattern) {alert('pattern: '  + pattern.pattern  + '\n' +
+                                  'symbol: '   + pattern.symbol   + '\n' +
+                                  'fraction: ' + pattern.fraction + '\n' +
+                                  'rounding: ' + pattern.rounding + '\n' +
+                                  'positive: ' + pattern.positive + '\n' +
+                                  'negative: ' + pattern.negative + '\n' +
+                                  'decimal: '  + pattern.decimal  + '\n' +
+                                  'grouping: ' + pattern.grouping);},
+        function () {alert('Error getting pattern\n');},
+        {type:'decimal'}
+    );
+    
+
+Resultados:
+
+    pattern: #,##0.###
+    symbol: .
+    fraction: 0
+    rounding: 0
+    positive:
+    negative: -
+    decimal: .
+    grouping: ,
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>getNumberPattern Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkPattern() {
+          navigator.globalization.getNumberPattern(
+            function (pattern) {alert('pattern: '  + pattern.pattern  + '\n' +
+                                      'symbol: '   + pattern.symbol   + '\n' +
+                                      'fraction: ' + pattern.fraction + '\n' +
+                                      'rounding: ' + pattern.rounding + '\n' +
+                                      'positive: ' + pattern.positive + '\n' +
+                                      'negative: ' + pattern.negative + '\n' +
+                                      'decimal: '  + pattern.decimal  + '\n' +
+                                      'grouping: ' + pattern.grouping);},
+            function () {alert('Error getting pattern\n');},
+            {type:'decimal'}
+          );
+        }
+    
+        </script>
+      </head>
+      <body>
+        <button onclick="checkPattern()">Click for pattern</button>
+      </body>
+    </html>
+    
+
+## Windows Phone 8 rarezas
+
+*   El `pattern` no se admite la propiedad y retuens una cadena vacía.
+
+*   El `fraction` no se admite la propiedad, y devuelve cero.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.getPreferredLanguage.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.getPreferredLanguage.md b/docs/es/edge/cordova/globalization/globalization.getPreferredLanguage.md
new file mode 100644
index 0000000..46ac58a
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.getPreferredLanguage.md
@@ -0,0 +1,72 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.getPreferredLanguage
+
+Obtener el identificador de cadena en el lenguaje actual del cliente.
+
+    navigator.globalization.getPreferredLanguage(successCallback, errorCallback);
+    
+
+## Descripción
+
+Devuelve el identificador de idioma a la `successCallback` con un objeto de `properties` como un parámetro. Ese objeto debe tener una `value` de propiedad con un valor de `String`.
+
+Si hay un error al obtener el idioma, entonces el `errorCallback` ejecuta con un objeto `GlobalizationError` como un parámetro. Código esperado del error es `GlobalizationError.UNKNOWN\_ERROR`.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Cuando el navegador se establece en la localidad de `en\_US`, esto debe mostrar un cuadro de diálogo emergente con el texto `language: English`:
+
+    navigator.globalization.getPreferredLanguage(
+        function (language) {alert('language: ' + language.value + '\n');},
+        function () {alert('Error getting language\n');}
+    );
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>getPreferredLanguage Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkLanguage() {
+          navigator.globalization.getPreferredLanguage(
+            function (language) {alert('language: ' + language.value + '\n');},
+            function () {alert('Error getting language\n');}
+          );
+        }
+        </script>
+      </head>
+      <body>
+        <button onclick="checkLanguage()">Click for language</button>
+      </body>
+    </html>
+    
+
+## Windows Phone 8 rarezas
+
+*   Devuelve el código de dos letras ISO 639-1 para el lenguaje actual.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.isDayLightSavingsTime.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.isDayLightSavingsTime.md b/docs/es/edge/cordova/globalization/globalization.isDayLightSavingsTime.md
new file mode 100644
index 0000000..561c1f5
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.isDayLightSavingsTime.md
@@ -0,0 +1,72 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.isDayLightSavingsTime
+
+Indica si el horario de verano es en efecto para una fecha determinada usando la zona horaria y el calendario del cliente.
+
+    navigator.globalization.isDayLightSavingsTime(date, successCallback, errorCallback);
+    
+
+## Descripción
+
+Indica o no horario de verano es en efecto el `successCallback` con un objeto de `properties` como un parámetro. Ese objeto debe tener una propiedad con un valor `Boolean` de `dst`. Un valor `true` indica que el horario de verano está en efecto para la fecha dada, y `false` indica que no es.
+
+El parámetro entrantes `date` debe ser de tipo `Date`.
+
+Si hay un error de lectura de la fecha, luego ejecuta el `errorCallback`. Código esperado del error es `GlobalizationError.UNKNOWN\_ERROR`.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Durante el verano, y si el navegador está configurado para una zona horaria DST habilitado, esto debe mostrar un cuadro de diálogo emergente con texto similar a `dst: true`:
+
+    navigator.globalization.isDayLightSavingsTime(
+        new Date(),
+        function (date) {alert('dst: ' + date.dst + '\n');},
+        function () {alert('Error getting names\n');}
+    );
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>isDayLightSavingsTime Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkDayLightSavings() {
+          navigator.globalization.isDayLightSavingsTime(
+            new Date(),
+            function (date) {alert('dst: ' + date.dst + '\n');},
+            function () {alert('Error getting names\n');}
+          );
+        }
+    
+        </script>
+      </head>
+      <body>
+        <button onclick="checkDayLightSavings()">Click for daylight savings</button>
+      </body>
+    </html>
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.md b/docs/es/edge/cordova/globalization/globalization.md
new file mode 100644
index 0000000..7a3602f
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.md
@@ -0,0 +1,63 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# Globalización
+
+Obtiene información y realiza las operaciones específicas de la configuración regional del usuario y zona horaria.
+
+## Objetos
+
+*   GlobalizationError
+
+## Métodos
+
+*   globalization.getPreferredLanguage
+*   globalization.getLocaleName
+*   globalization.dateToString
+*   globalization.stringToDate
+*   globalization.getDatePattern
+*   globalization.getDateNames
+*   globalization.isDayLightSavingsTime
+*   globalization.getFirstDayOfWeek
+*   globalization.numberToString
+*   globalization.stringToNumber
+*   globalization.getNumberPattern
+*   globalization.getCurrencyPattern
+
+## Ámbito de variable
+
+El objeto de `globalization` es un niño del objeto `navigator` y por lo tanto tiene alcance mundial.
+
+    // The global globalization object
+    var globalization = navigator.globalization;
+    
+
+## Acceso a la función
+
+A partir de la versión 3.0, Cordova implementa nivel de dispositivo APIs como *plugins*. Uso de la CLI `plugin` comando, que se describe en la interfaz de línea de comandos, para añadir o eliminar esta característica para un proyecto:
+
+        $ cordova plugin add https://git-wip-us.apache.org/repos/asf/cordova-plugin-globalization.git
+        $ cordova plugin rm org.apache.cordova.core.globalization
+    
+
+Estos comandos se aplican a todas las plataformas específicas, sino modificar las opciones de configuración específicas de la plataforma que se describen a continuación:
+
+*   Android (en`app/res/xml/config.xml`)
+    
+        < nombre de la función = "Globalización" >< nombre param = "android-paquete" value="org.apache.cordova.Globalization" / >< / característica >
+        
+
+Algunas plataformas que soportan esta característica sin necesidad de ninguna configuración especial. Ver soporte de plataforma para tener una visión general.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.numberToString.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.numberToString.md b/docs/es/edge/cordova/globalization/globalization.numberToString.md
new file mode 100644
index 0000000..7c0aa60
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.numberToString.md
@@ -0,0 +1,79 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.numberToString
+
+Devuelve un número con formato como una cadena según las preferencias del usuario del cliente.
+
+    navigator.globalization.numberToString(number, successCallback, errorCallback, options);
+    
+
+## Descripción
+
+Devuelve la cadena con formato de número a la `successCallback` con un objeto de `properties` como un parámetro. Ese objeto debe tener una `value` de propiedad con un valor de `String`.
+
+Si hay un error de formato del número, entonces el `errorCallback` ejecuta con un objeto `GlobalizationError` como un parámetro. Código esperado del error es `GlobalizationError.FORMATTING\_ERROR`.
+
+El parámetro `options` es opcional, y sus valores por defecto son:
+
+    {type:'decimal'}
+    
+
+El `options.type` puede ser 'decimal', 'percent' o 'currency'.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Cuando el navegador se establece en la localidad de `en\_US`, muestra un cuadro de diálogo emergente con texto similar a `number: 3.142`:
+
+    navigator.globalization.numberToString(
+        3.1415926,
+        function (number) {alert('number: ' + number.value + '\n');},
+        function () {alert('Error getting number\n');},
+        {type:'decimal'}
+    );
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>numberToString Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkNumber() {
+          navigator.globalization.numberToString(
+            3.1415926,
+            function (number) {alert('number: ' + number.value + '\n');},
+            function () {alert('Error getting number\n');},
+            {type:'decimal'}
+          );
+        }
+    
+        </script>
+      </head>
+      <body>
+        <button onclick="checkNumber()">Click for number</button>
+      </body>
+    </html>
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.stringToDate.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.stringToDate.md b/docs/es/edge/cordova/globalization/globalization.stringToDate.md
new file mode 100644
index 0000000..c84defc
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.stringToDate.md
@@ -0,0 +1,104 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.stringToDate
+
+Analiza una fecha con formato como una cadena, según las preferencias del usuario y calendario usando la zona horaria del cliente, el cliente y devuelve el objeto correspondiente fecha.
+
+    navigator.globalization.stringToDate(dateString, successCallback, errorCallback, options);
+    
+
+## Descripción
+
+Devuelve la fecha para la devolución de llamada de éxito con un objeto de `properties` como un parámetro. Ese objeto debe tener las siguientes propiedades:
+
+*   **año**: el año de cuatro dígitos. *(Número)*
+
+*   **mes**: mes de (0-11). *(Número)*
+
+*   **día**: el día de (1-31). *(Número)*
+
+*   **hora**: la hora de (0-23). *(Número)*
+
+*   **minuto**: el minuto de (0-59). *(Número)*
+
+*   **segundo**: el segundo de (0-59). *(Número)*
+
+*   **milisegundo**: los milisegundos (de 0-999), no está disponibles en todas las plataformas. *(Número)*
+
+El parámetro entrantes `dateString` debe ser de tipo `String`.
+
+El parámetro `options` es opcional y por defecto para los siguientes valores:
+
+    {formatLength:'short', selector:'date and time'}
+    
+
+El `options.formatLength` puede ser de `short`, `medium`, `long` o `full`. El `options.selector` puede ser la `date`, la `time` o la `date and time`.
+
+Si hay un error al analizar la cadena de fecha, entonces el `errorCallback` ejecuta con un objeto `GlobalizationError` como un parámetro. Código esperado del error es `GlobalizationError.PARSING\_ERROR`.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Cuando el navegador se establece en la localidad de `en\_US`, muestra un cuadro de diálogo emergente con texto similar al `month: 8 day: 25 year: 2012`. Tenga en cuenta que el mes entero es uno menos de la cadena, como el entero mes representa un índice de matriz.
+
+    navigator.globalization.stringToDate(
+        '9/25/2012',
+        function (date) {alert('month:' + date.month +
+                               ' day:'  + date.day   +
+                               ' year:' + date.year  + '\n');},
+        function () {alert('Error getting date\n');},
+        {selector: 'date'}
+    );
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>stringToDate Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkStringDate() {
+          navigator.globalization.stringToDate(
+            '9/25/2012',
+            function (date) {alert('month:' + date.month +
+                                   ' day:' + date.day +
+                                   ' year:' + date.year + '\n');},
+            function () {alert('Error getting date\n');},
+            {selector:'date'}
+          );
+        }
+    
+        </script>
+      </head>
+      <body>
+        <button onclick="checkStringDate()">Click for parsed date</button>
+      </body>
+    </html>
+    
+
+## Windows Phone 8 rarezas
+
+*   La opción `formatLength` admite valores sólo `short` y `full`.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/globalization/globalization.stringToNumber.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/globalization/globalization.stringToNumber.md b/docs/es/edge/cordova/globalization/globalization.stringToNumber.md
new file mode 100644
index 0000000..8beb108
--- /dev/null
+++ b/docs/es/edge/cordova/globalization/globalization.stringToNumber.md
@@ -0,0 +1,79 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# globalization.stringToNumber
+
+Analiza un número con formato como una cadena según las preferencias del usuario del cliente y devuelve el número correspondiente.
+
+    navigator.globalization.stringToNumber(string, successCallback, errorCallback, options);
+    
+
+## Descripción
+
+Devuelve el número de la `successCallback` con un objeto de `properties` como un parámetro. Ese objeto debe tener una `value` de propiedad con un valor de `Number`.
+
+Si hay un error al analizar la cadena número, entonces el `errorCallback` ejecuta con un objeto `GlobalizationError` como un parámetro. Código esperado del error es `GlobalizationError.PARSING\_ERROR`.
+
+El parámetro `options` es opcional y por defecto para los siguientes valores:
+
+    {type:'decimal'}
+    
+
+El `options.type` puede ser `decimal`, `percent` o `currency`.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 8
+
+## Ejemplo rápido
+
+Cuando el navegador se establece en la localidad de `en\_US`, esto debe mostrar un cuadro de diálogo emergente con texto similar a `number: 1234.56`:
+
+    navigator.globalization.stringToNumber(
+        '1234.56',
+        function (number) {alert('number: ' + number.value + '\n');},
+        function () {alert('Error getting number\n');},
+        {type:'decimal'}
+    );
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE HTML>
+    <html>
+      <head>
+        <title>stringToNumber Example</title>
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        function checkNumber() {
+          navigator.globalization.stringToNumber(
+            '1234.56',
+            function (number) {alert('number: ' + number.value + '\n');},
+            function () {alert('Error getting number\n');},
+            {type:'decimal'}
+          );
+        }
+    
+        </script>
+      </head>
+      <body>
+        <button onclick="checkNumber()">Click for parsed number</button>
+      </body>
+    </html>
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/inappbrowser/inappbrowser.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/inappbrowser/inappbrowser.md b/docs/es/edge/cordova/inappbrowser/inappbrowser.md
new file mode 100644
index 0000000..e516098
--- /dev/null
+++ b/docs/es/edge/cordova/inappbrowser/inappbrowser.md
@@ -0,0 +1,326 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# InAppBrowser
+
+> El `InAppBrowser` es un navegador web que se muestra en la aplicación cuando se llama `window.open`.
+
+    var ref = window.open('http://apache.org', '_blank', 'location=yes');
+    
+
+## Descripción
+
+El objeto devuelto desde una llamada a `window.open`.
+
+## Métodos
+
+*   addEventListener
+*   removeEventListener
+*   close
+*   show
+*   executeScript
+*   insertCSS
+
+## Acceso a la función
+
+A partir de la versión 3.0, Cordova implementa nivel de dispositivo APIs como *plugins*. Uso de la CLI `plugin` comando, que se describe en la interfaz de línea de comandos, para añadir o eliminar esta característica para un proyecto:
+
+        $ cordova plugin add https://git-wip-us.apache.org/repos/asf/cordova-plugin-inappbrowser.git
+        $ cordova plugin rm org.apache.cordova.core.inappbrowser
+    
+
+Estos comandos se aplican a todas las plataformas específicas, sino modificar las opciones de configuración específicas de la plataforma que se describen a continuación:
+
+*   Android (en`app/res/xml/config.xml`)
+    
+        < nombre de la función = "InAppBrowser" >< nombre param = "android-paquete" value="org.apache.cordova.InAppBrowser" / >< / característica >
+        
+
+*   (en iOS`config.xml`)
+    
+        < nombre de la función = "InAppBrowser" >< nombre param = "ios-paquete" value = "CDVInAppBrowser" / >< / característica >
+        
+
+*   Windows Phone 7 y 8 (en`config.xml`)
+    
+        < nombre de la función = "InAppBrowser" / >
+        
+
+Algunas plataformas que soportan esta característica sin necesidad de ninguna configuración especial. Ver soporte de plataforma para tener una visión general.
+
+# addEventListener
+
+> Añade un detector para un evento de la `InAppBrowser`.
+
+    ref.addEventListener (eventname, "callback");
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana *(InAppBrowser)*
+
+*   **eventName**: el evento para escuchar *(String)*
+    
+    *   **loadstart**: evento desencadena cuando el `InAppBrowser` comienza a cargar una dirección URL.
+    *   **loadstop**: evento desencadena cuando el `InAppBrowser` termina cargando una dirección URL.
+    *   **loaderror**: evento desencadena cuando el `InAppBrowser` encuentra un error al cargar una dirección URL.
+    *   **salida**: evento desencadena cuando el `InAppBrowser` se cierra la ventana.
+
+*   **devolución de llamada**: la función que se ejecuta cuando se desencadene el evento. La función se pasa un `InAppBrowserEvent` objeto como parámetro.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+*   Windows Phone 7 y 8
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+    ref.addEventListener ('loadstart', function() {alert(event.url);});
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.addEventListener ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / esperar a librerías de dispositivos API cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / dispositivo APIs están disponibles / / function onDeviceReady() {var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+             ref.addEventListener ('loadstart', function(event) {alert (' empieza: ' + event.url);});
+             ref.addEventListener ('loadstop', function(event) {alert (' detener: ' + event.url);});
+             ref.addEventListener ('loaderror', function(event) {alert ('error: ' + event.message);});
+             ref.addEventListener ('salida', function(event) {alert(event.type);});
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# removeEventListener
+
+> Elimina un detector para un evento de la `InAppBrowser`.
+
+    ref.removeEventListener (eventname, "callback");
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana. *(InAppBrowser)*
+
+*   **eventName**: dejar de escuchar para el evento. *(String)*
+    
+    *   **loadstart**: evento desencadena cuando el `InAppBrowser` comienza a cargar una dirección URL.
+    *   **loadstop**: evento desencadena cuando el `InAppBrowser` termina cargando una dirección URL.
+    *   **loaderror**: evento desencadena cuando el `InAppBrowser` se encuentra con un error al cargar una dirección URL.
+    *   **salida**: evento desencadena cuando el `InAppBrowser` se cierra la ventana.
+
+*   **devolución de llamada**: la función a ejecutar cuando se desencadene el evento. La función se pasa un `InAppBrowserEvent` objeto.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+*   Windows Phone 7 y 8
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+    var myCallback = function() {alert(event.url)}; ref.addEventListener ('loadstart', myCallback);
+    ref.removeEventListener ('loadstart', myCallback);
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.removeEventListener ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / esperar a librerías de dispositivos API cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / InAppBrowser global reference var iabRef = null;
+    
+        function iabLoadStart(event) {alert (event.type + '-' + event.url);
+        } function iabLoadStop(event) {alert (event.type + '-' + event.url);
+        } function iabLoadError(event) {alert (event.type + '-' + event.message);
+        } function iabClose(event) {alert(event.type);
+             iabRef.removeEventListener ('loadstart', iabLoadStart);
+             iabRef.removeEventListener ('loadstop', iabLoadStop);
+             iabRef.removeEventListener ('loaderror', iabLoadError);
+             iabRef.removeEventListener ('salida', iabClose);
+        } / / dispositivo APIs están disponibles / / function onDeviceReady() {iabRef = window.open ('http://apache.org', '_blank', ' location = yes');
+             iabRef.addEventListener ('loadstart', iabLoadStart);
+             iabRef.addEventListener ('loadstop', iabLoadStop);
+             iabRef.removeEventListener ('loaderror', iabLoadError);
+             iabRef.addEventListener ('salida', iabClose);
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# cerrar
+
+> Cierra la ventana de `InAppBrowser`.
+
+    Ref.Close();
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana *(InAppBrowser)*
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+*   Windows Phone 7 y 8
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+    Ref.Close();
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.close ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / esperar a librerías de dispositivos API cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / dispositivo APIs están disponibles / / function onDeviceReady() {var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+             / / cerrar InAppBrowser después de 5 segundos setTimeout(function() {ref.close();
+             }, 5000);
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# Mostrar
+
+> Muestra una ventana InAppBrowser que abrió sus puertas ocultada. Esto no tiene efecto si el InAppBrowser ya era visible.
+
+    Ref.Show();
+    
+
+*   **ref:** referencia a la (ventana) InAppBrowser`InAppBrowser`)
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' oculto = yes');
+    Ref.Show();
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.show ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / espera a Córdoba cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / Córdoba está listo / / function onDeviceReady() {var ref = window.open ('http://apache.org', '_blank', ' oculto = yes');
+             ref.addEventListener ('loadstop', function(event) {alert ('ventana en segundo plano cargado'); 
+             });
+             / / cerrar InAppBrowser después de 5 segundos setTimeout(function() {ref.close();
+             }, 5000);
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# executeScript
+
+> Inyecta código JavaScript en la ventana de `InAppBrowser`
+
+    ref.executeScript (datos, "callback");
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana. *(InAppBrowser)*
+
+*   **injectDetails**: detalles de la secuencia de comandos para ejecutar, o especificar un `file` o `code` clave. *(Objeto)*
+    
+    *   **archivo**: URL de la secuencia de comandos para inyectar.
+    *   **código**: texto de la escritura para inyectar.
+
+*   **devolución de llamada**: la función que se ejecuta después de inyecta el código JavaScript.
+    
+    *   Si el script inyectado es de tipo `code` , la devolución de llamada se ejecuta con un solo parámetro, que es el valor devuelto por el guión, envuelto en un `Array` . Para los scripts de varias líneas, este es el valor devuelto de la última declaración, o la última expresión evaluada.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+    ref.addEventListener ('loadstop', function() {ref.executeSript ({archivo: "myscript.js"});});
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.executeScript ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / esperar a librerías de dispositivos API cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / InAppBrowser global reference var iabRef = null;
+    
+        / / Inyectar nuestro JavaScript personalizado en la ventana de InAppBrowser / / function replaceHeaderImage() {iabRef.executeScript ({código: "var img=document.querySelector ('#header img'); IMG.src= 'http://cordova.apache.org/images/cordova_bot.png';"}, function() {alert ("imagen elemento exitosamente secuestrado");
+            función de}} iabClose(event) {iabRef.removeEventListener ('loadstop', replaceHeaderImage);
+             iabRef.removeEventListener ('salida', iabClose);
+        } / / dispositivo APIs están disponibles / / function onDeviceReady() {iabRef = window.open ('http://apache.org', '_blank', ' location = yes');
+             iabRef.addEventListener ('loadstop', replaceHeaderImage);
+             iabRef.addEventListener ('salida', iabClose);
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# insertCSS
+
+> Inyecta CSS en la ventana de `InAppBrowser`.
+
+    ref.insertCSS (datos, "callback");
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana *(InAppBrowser)*
+
+*   **injectDetails**: detalles de la secuencia de comandos para ejecutar, o especificar un `file` o `code` clave. *(Objeto)*
+    
+    *   **archivo**: URL de la hoja de estilos para inyectar.
+    *   **código**: texto de la hoja de estilos para inyectar.
+
+*   **devolución de llamada**: la función que se ejecuta después de inyectar el CSS.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+
+## Ejemplo rápido
+
+    var ref = window.open ('http://apache.org', '_blank', ' location = yes');
+    ref.addEventListener ('loadstop', function() {ref.insertCSS ({archivo: "mystyles.css"});});
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html >< html >< cabeza >< title > InAppBrowser.insertCSS ejemplo < / título >< de la escritura de tipo = "text/javascript" charset = "utf-8" src="cordova.js" >< / script >< de la escritura de tipo = "text/javascript" charset = "utf-8" > / / esperar a librerías de dispositivos API cargar / / document.addEventListener ("deviceready", onDeviceReady, false);
+    
+        / / InAppBrowser global reference var iabRef = null;
+    
+        / / Inyectar nuestros CSS personalizado en la ventana de InAppBrowser / / function changeBackgroundColor() {iabRef.insertCSS ({código: "cuerpo {background: #ffff00"}, function() {alert ("estilos alterado");
+            función de}} iabClose(event) {iabRef.removeEventListener ('loadstop', changeBackgroundColor);
+             iabRef.removeEventListener ('salida', iabClose);
+        } / / dispositivo APIs están disponibles / / function onDeviceReady() {iabRef = window.open ('http://apache.org', '_blank', ' location = yes');
+             iabRef.addEventListener ('loadstop', changeBackgroundColor);
+             iabRef.addEventListener ('salida', iabClose);
+        } < /script >< / cabeza >< cuerpo >< cuerpo / >< / html >
+    
+
+# InAppBrowserEvent
+
+El objeto que se pasa a la función de devolución de llamada de un `addEventListener` llamado a un `InAppBrowser` objeto.
+
+## Propiedades
+
+*   **tipo**: eventname, ya sea `loadstart` , `loadstop` , `loaderror` , o `exit` . *(String)*
+
+*   **URL**: la URL que se cargó. *(String)*
+
+*   **código**: el código de error, sólo en el caso de `loaderror` . *(Número)*
+
+*   **mensaje**: el mensaje de error, sólo en el caso de `loaderror` . *(String)*
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/inappbrowser/window.open.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/inappbrowser/window.open.md b/docs/es/edge/cordova/inappbrowser/window.open.md
new file mode 100644
index 0000000..0407a8e
--- /dev/null
+++ b/docs/es/edge/cordova/inappbrowser/window.open.md
@@ -0,0 +1,101 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# window.open
+
+Se abre una dirección URL en una nueva instancia de `InAppBrowser`, la instancia actual del navegador o el navegador del sistema.
+
+    var ref = window.open(url, target, options);
+    
+
+*   **ref**: referencia a la `InAppBrowser` ventana. *(InAppBrowser)*
+
+*   **URL**: el URL para cargar *(String)*. Llame a `encodeURI()` en este si la URL contiene caracteres Unicode.
+
+*   **target**: el objetivo en el que se carga la URL, un parámetro opcional que se utiliza de forma predeterminada `_self`. *(String)*
+    
+    *   `_self`: se abre en el Cordova WebView si la URL está en la lista blanca, de lo contrario se abre en el `InAppBrowser`.
+    *   `_blank`: abre en el `InAppBrowser`.
+    *   `_system`: se abre en el navegador del sistema.
+
+*   **options**: opciones para el `InAppBrowser`. Opcional, contumaz a: `location=yes`. *(String)*
+    
+    La cadena de `options` no debe contener ningún espacio en blanco, y los pares de nombre y valor de cada característica deben estar separados por una coma. Los nombres de función son minúsculas. Todas las plataformas admiten el valor siguiente:
+    
+    *   **location**: se establece en `yes` o `no` para activar o desactivar la barra de ubicación de la `InAppBrowser`.
+    ## Android sólo
+    
+    *   **closebuttoncaption** - establece en una cadena que será el título para el botón "Done". 
+    *   **hidden** - set ' Yes ' para crear el navegador y cargar la página, pero no lo demuestra. El evento load se activará cuando la carga está completa. Omitir o establecer que 'no' (por defecto) para que el navegador abra y carga normalmente. 
+    *   **clearcache** - set ' Yes ' para tener la caché del navegador cookies antes de que se abra la nueva ventana
+    *   **clearsessioncache** - set ' Yes ' para tener la caché de cookie de sesión antes de que se abra la nueva ventana
+    ## iOS sólo
+    
+    *   **closebuttoncaption** - establece en una cadena que será el título para el botón "Done". Tenga en cuenta que deberás localizar este valor por sí mismo.
+    *   **hidden** - set ' Yes ' para crear el navegador y cargar la página, pero no lo demuestra. El evento load se activará cuando la carga está completa. Omitir o establecer que 'no' (por defecto) para que el navegador abra y carga normalmente. 
+    *   **barra de herramientas** - set al 'yes' o 'no' para activar o desactivar el la barra de herramientas para el InAppBrowser (por defecto 'yes')
+    *   **enableViewportScale**: Set a `yes` o `no` para evitar viewport escalar a través de una etiqueta meta (por defecto a `no`).
+    *   **mediaPlaybackRequiresUserAction**: Set a `yes` o `no` para evitar HTML5 audio o vídeo de reproducción automática (por defecto a `no`).
+    *   **allowInlineMediaPlayback**: establecer a `yes` o `no` permiten la reproducción de medios en línea HTML5, mostrando en la ventana del navegador en lugar de una interfaz específica del dispositivo de reproducción. Elemento `video` de HTML también debe incluir el atributo de `webkit-playsinline` (por defecto a `no`)
+    *   **keyboardDisplayRequiresUserAction**: se establece en `yes` o `no` para abrir el teclado cuando elementos de formulario reciben el foco mediante llamada de JavaScript de `focus()` (por defecto a `yes`).
+    *   **suppressesIncrementalRendering**: se establece en `yes` o `no` para esperar hasta que todos los nuevos contenidos de vista se recibieron antes de ser prestados (por defecto a `no`).
+    *   **presentationstyle**: se establece en `pagesheet`, `formsheet` o `fullscreen` para definir el [estilo de la presentación][1] (por defecto a `fullscreen`).
+    *   **transitionstyle**: se establece en `fliphorizontal`, `crossdissolve` o `coververtical` para definir el [estilo de transición][2] (por defecto `coververtical`).
+
+ [1]: http://developer.apple.com/library/ios/documentation/UIKit/Reference/UIViewController_Class/Reference/Reference.html#//apple_ref/occ/instp/UIViewController/modalPresentationStyle
+ [2]: http://developer.apple.com/library/ios/#documentation/UIKit/Reference/UIViewController_Class/Reference/Reference.html#//apple_ref/occ/instp/UIViewController/modalTransitionStyle
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry
+*   iOS
+*   Windows Phone 7 y 8
+
+## Ejemplo rápido
+
+    var ref = window.open('http://apache.org', '_blank', 'location=yes');
+    var ref2 = window.open(encodeURI('http://ja.m.wikipedia.org/wiki/ハングル'), '_blank', 'location=yes');
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html>
+    <html>
+      <head>
+        <title>window.open Example</title>
+    
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        // Wait for device API libraries to load
+        //
+        document.addEventListener("deviceready", onDeviceReady, false);
+    
+        // device APIs are available
+        //
+        function onDeviceReady() {
+            // external url
+            var ref = window.open(encodeURI('http://apache.org'), '_blank', 'location=yes');
+            // relative document
+            ref = window.open('next.html', '_self');
+        }
+    
+        </script>
+      </head>
+      <body>
+      </body>
+    </html>
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/MediaError/mediaError.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/MediaError/mediaError.md b/docs/es/edge/cordova/media/MediaError/mediaError.md
new file mode 100644
index 0000000..9eab8d7
--- /dev/null
+++ b/docs/es/edge/cordova/media/MediaError/mediaError.md
@@ -0,0 +1,36 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# MediaError
+
+A `MediaError` objeto es devuelto a la `mediaError` función de devolución de llamada cuando se produce un error.
+
+## Propiedades
+
+*   **código**: uno de los códigos de error predefinido enumerados a continuación.
+
+*   **mensaje**: un mensaje de error que describe los detalles del error.
+
+## Constantes
+
+*   `MediaError.MEDIA_ERR_ABORTED`
+*   `MediaError.MEDIA_ERR_NETWORK`
+*   `MediaError.MEDIA_ERR_DECODE`
+*   `MediaError.MEDIA_ERR_NONE_SUPPORTED`
+
+## Descripción
+
+El `MediaError` objeto se pasa a un `mediaError` función de devolución de llamada cuando se produce un error.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/Parameters/mediaError.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/Parameters/mediaError.md b/docs/es/edge/cordova/media/Parameters/mediaError.md
new file mode 100644
index 0000000..ee260fc
--- /dev/null
+++ b/docs/es/edge/cordova/media/Parameters/mediaError.md
@@ -0,0 +1,28 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# mediaError
+
+Una función de devolución de llamada especificado por el usuario que se ejecuta cuando hay un error en las funciones de los medios de comunicación.
+
+    function(error) {
+        // Handle the error
+    }
+    
+
+## Parámetros
+
+*   **error**: el error devuelto por el dispositivo. *(MediaError)*
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/CaptureCB.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/CaptureCB.md b/docs/es/edge/cordova/media/capture/CaptureCB.md
new file mode 100644
index 0000000..88a17e4
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/CaptureCB.md
@@ -0,0 +1,39 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# CaptureCB
+
+> Se invoca en una operación de captura exitosa de los medios de comunicación.
+
+    function captureSuccess( MediaFile[] mediaFiles ) { ... };
+    
+
+## Descripción
+
+Esta función se ejecuta después de que finalice una operación de captura exitosa. En este punto que ha sido capturado un archivo multimedia y tampoco el usuario ha salido de la aplicación de captura de los medios de comunicación, o se ha alcanzado el límite de captura.
+
+Cada `MediaFile` objeto describe un archivo multimedia capturado.
+
+## Ejemplo rápido
+
+    // capture callback
+    function captureSuccess(mediaFiles) {
+        var i, path, len;
+        for (i = 0, len = mediaFiles.length; i < len; i += 1) {
+            path = mediaFiles[i].fullPath;
+            // do something interesting with the file
+        }
+    };
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/CaptureError.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/CaptureError.md b/docs/es/edge/cordova/media/capture/CaptureError.md
new file mode 100644
index 0000000..a8d7d66
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/CaptureError.md
@@ -0,0 +1,35 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# CaptureError
+
+> Encapsula el código de error resultante de una operación de captura de medios fallidos.
+
+## Propiedades
+
+*   **código**: uno de los códigos de error previamente definidos a continuación.
+
+## Constantes
+
+*   `CaptureError.CAPTURE_INTERNAL_ERR`: La cámara o el micrófono no pudo capturar la imagen y el sonido.
+
+*   `CaptureError.CAPTURE_APPLICATION_BUSY`: La aplicación de captura de audio o cámara está cumpliendo otro pedido de captura.
+
+*   `CaptureError.CAPTURE_INVALID_ARGUMENT`: Uso no válido de la API (por ejemplo, el valor de `limit` es menor que uno).
+
+*   `CaptureError.CAPTURE_NO_MEDIA_FILES`: El usuario sale de la aplicación de captura de audio o cámara antes de capturar cualquier cosa.
+
+*   `CaptureError.CAPTURE_NOT_SUPPORTED`: La operación de captura solicitada no es compatible.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/CaptureErrorCB.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/CaptureErrorCB.md b/docs/es/edge/cordova/media/capture/CaptureErrorCB.md
new file mode 100644
index 0000000..0454795
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/CaptureErrorCB.md
@@ -0,0 +1,35 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# CaptureErrorCB
+
+> Se invoca si se produce un error durante una operación de captura de los medios de comunicación.
+
+    function captureError( CaptureError error ) { ... };
+    
+
+## Descripción
+
+Esta función se ejecuta si se produce un error al intentar lanzar un medio de captura de operación. Escenarios de fallas incluyen cuando la solicitud de captura está ocupada, una operación de captura ya está llevando a cabo o el usuario cancela la operación antes de que los archivos de los medios de comunicación son capturados.
+
+Esta función se ejecuta con un `CaptureError` objeto que contiene un error apropiado`code`.
+
+## Ejemplo rápido
+
+    // capture error callback
+    var captureError = function(error) {
+        navigator.notification.alert('Error code: ' + error.code, null, 'Capture Error');
+    };
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/ConfigurationData.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/ConfigurationData.md b/docs/es/edge/cordova/media/capture/ConfigurationData.md
new file mode 100644
index 0000000..4b1030e
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/ConfigurationData.md
@@ -0,0 +1,59 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# ConfigurationData
+
+> Encapsula un conjunto de parámetros de captura de los medios de comunicación un dispositivo compatible.
+
+## Descripción
+
+Describe los modos de captura de los medios de comunicación soportados por el dispositivo. Los datos de configuración incluyen el tipo MIME y captura de dimensiones para captura de vídeo o imagen.
+
+Los tipos MIME deben adherirse a [RFC2046][1]. Ejemplos:
+
+ [1]: http://www.ietf.org/rfc/rfc2046.txt
+
+*   `video/3gpp`
+*   `video/quicktime`
+*   `image/jpeg`
+*   `audio/amr`
+*   `audio/wav`
+
+## Propiedades
+
+*   **tipo**: cadena codificada en el ASCII en minúsculas que representa el tipo de medios de comunicación. (DOMString)
+
+*   **altura**: la altura de la imagen o vídeo en píxeles. El valor es cero para clips de sonido. (Número)
+
+*   **ancho**: el ancho de la imagen o vídeo en píxeles. El valor es cero para clips de sonido. (Número)
+
+## Ejemplo rápido
+
+    // retrieve supported image modes
+    var imageModes = navigator.device.capture.supportedImageModes;
+    
+    // Select mode that has the highest horizontal resolution
+    var width = 0;
+    var selectedmode;
+    for each (var mode in imageModes) {
+        if (mode.width > width) {
+            width = mode.width;
+            selectedmode = mode;
+        }
+    }
+    
+
+No compatible con cualquier plataforma. Todas las matrices de datos configuración están vacías.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/MediaFile.getFormatData.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/MediaFile.getFormatData.md b/docs/es/edge/cordova/media/capture/MediaFile.getFormatData.md
new file mode 100644
index 0000000..f0f7d1f
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/MediaFile.getFormatData.md
@@ -0,0 +1,46 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# MediaFile.getFormatData
+
+> El formato recupera información sobre el archivo de captura de los medios de comunicación.
+
+    mediaFile.getFormatData (MediaFileDataSuccessCB successCallback, [MediaFileDataErrorCB errorCallback]);
+    
+
+## Descripción
+
+Esta función asincrónica intentará recuperar la información de formato para el archivo de los medios de comunicación. Si exitoso, invoca la `MediaFileDataSuccessCB` devolución de llamada con un `MediaFileData` objeto. Si fracasa el intento, esta función invoca el `MediaFileDataErrorCB` "callback".
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 7 y 8
+*   Windows 8
+
+## BlackBerry WebWorks rarezas
+
+No proporciona una API para obtener información sobre los archivos de medios, para que todos `MediaFileData` devolver objetos con valores predeterminados.
+
+## Rarezas Android
+
+La API de acceso a la prensa archivo formato información es limitada, así que no todos `MediaFileData` se admiten las propiedades.
+
+## iOS rarezas
+
+La API de acceso a la prensa archivo formato información es limitada, así que no todos `MediaFileData` se admiten las propiedades.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/MediaFile.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/MediaFile.md b/docs/es/edge/cordova/media/capture/MediaFile.md
new file mode 100644
index 0000000..0f9e6ba
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/MediaFile.md
@@ -0,0 +1,35 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# MediaFile
+
+> Encapsula las propiedades de un archivo de captura de los medios de comunicación.
+
+## Propiedades
+
+*   **nombre**: el nombre del archivo, sin información de la ruta. (DOMString)
+
+*   **fullPath**: la ruta de acceso completa del archivo, incluyendo el nombre. (DOMString)
+
+*   **tipo**: tipo mime del archivo (DOMString)
+
+*   **lastModifiedDate**: la fecha y hora cuando el archivo se modificó por última vez. (Fecha)
+
+*   **tamaño**: el tamaño del archivo, en bytes. (Número)
+
+## Métodos
+
+*   **MediaFile.getFormatData**: recupera la información del formato del archivo de los medios de comunicación.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/MediaFileData.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/MediaFileData.md b/docs/es/edge/cordova/media/capture/MediaFileData.md
new file mode 100644
index 0000000..1001e2c
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/MediaFileData.md
@@ -0,0 +1,73 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# MediaFileData
+
+> Encapsula la información de formato de un archivo multimedia.
+
+## Propiedades
+
+*   **codecs**: el actual formato de los contenidos de audio y video. (DOMString)
+
+*   **bitrate**: el bitrate promedio del contenido. El valor es cero para las imágenes. (Número)
+
+*   **altura**: la altura de la imagen o vídeo en píxeles. El valor es cero para los clips de audio. (Número)
+
+*   **ancho**: el ancho de la imagen o vídeo en píxeles. El valor es cero para los clips de audio. (Número)
+
+*   **duración**: la longitud del clip de vídeo o de sonido en segundos. El valor es cero para las imágenes. (Número)
+
+## BlackBerry WebWorks rarezas
+
+Ninguna API proporciona información de formato para archivos de medios, así que el `MediaFileData` objeto devuelto por `MediaFile.getFormatData` cuenta con los siguientes valores predeterminados:
+
+*   **codecs**: no soportado y devuelve`null`.
+
+*   **bitrate**: no soportado y devuelve el valor cero.
+
+*   **altura**: no soportado y devuelve el valor cero.
+
+*   **anchura**: no soportado y devuelve el valor cero.
+
+*   **duración**: no soportado y devuelve el valor cero.
+
+## Rarezas Android
+
+Es compatible con los siguientes `MediaFileData` Propiedades:
+
+*   **codecs**: no soportado y devuelve`null`.
+
+*   **bitrate**: no soportado y devuelve el valor cero.
+
+*   **altura**: apoyado: sólo los archivos de imagen y video.
+
+*   **anchura**: admite: sólo los archivos de imagen y video.
+
+*   **duración**: apoyado: archivos audio y video.
+
+## iOS rarezas
+
+Es compatible con los siguientes `MediaFileData` Propiedades:
+
+*   **codecs**: no soportado y devuelve`null`.
+
+*   **bitrate**: compatible con iOS4 dispositivos de audio solamente. Devuelve cero para imágenes y vídeos.
+
+*   **altura**: apoyado: sólo los archivos de imagen y video.
+
+*   **anchura**: admite: sólo los archivos de imagen y video.
+
+*   **duración**: apoyado: archivos audio y video.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/capture.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/capture.md b/docs/es/edge/cordova/media/capture/capture.md
new file mode 100644
index 0000000..111f65b
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/capture.md
@@ -0,0 +1,104 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# Captura
+
+> Proporciona acceso a audio, imagen y las capacidades de captura de vídeo del dispositivo.
+
+**Nota de privacidad importante:** Recopilación y uso de imágenes, video o audio desde el micrófono o cámara del dispositivo plantea cuestiones de privacidad importante. Política de privacidad de su aplicación debe discutir cómo la aplicación utiliza dichos sensores y si los datos registrados se compartieron con cualquiera de las partes. Además, si el uso de la aplicación de la cámara o el micrófono no es aparente en la interfaz de usuario, debe proporcionar un aviso de just-in-time antes de su aplicación accediendo a la cámara o el micrófono (si el sistema operativo del dispositivo ya no hacerlo). Que el aviso debe proporcionar la misma información mencionada, además de obtener un permiso del usuario (por ejemplo, presentando opciones para **Aceptar** y **No gracias**). Tenga en cuenta que algunos mercados de aplicación pueden requerir su aplicación para proporcionar aviso just-in-time y obtener permiso del usuario antes de acceder a la cámara o el micrófono. P
 ara obtener más información, por favor consulte a la guía de privacidad.
+
+## Objetos
+
+*   Captura
+*   CaptureAudioOptions
+*   CaptureImageOptions
+*   CaptureVideoOptions
+*   CaptureCallback
+*   CaptureErrorCB
+*   ConfigurationData
+*   MediaFile
+*   MediaFileData
+
+## Métodos
+
+*   capture.captureAudio
+*   capture.captureImage
+*   capture.captureVideo
+*   MediaFile.getFormatData
+
+## Ámbito de aplicación
+
+The `capture` object is assigned to the `navigator.device` object, and therefore has global scope.
+
+    // The global capture object
+    var capture = navigator.device.capture;
+    
+
+## Propiedades
+
+*   **supportedAudioModes**: la grabación de formatos soportados por el dispositivo de audio. (ConfigurationData[])
+
+*   **supportedImageModes**: la grabación de imagen tamaños y formatos soportados por el dispositivo. (ConfigurationData[])
+
+*   **supportedVideoModes**: las resoluciones de grabación de vídeo y formatos soportados por el dispositivo. (ConfigurationData[])
+
+## Métodos
+
+*   `capture.captureAudio`: Lanzar la aplicación de grabación de audio del dispositivo para grabar clips de audio.
+
+*   `capture.captureImage`: Lanzar la aplicación de la cámara del dispositivo para tomar fotos.
+
+*   `capture.captureVideo`: Iniciar aplicación de grabadora de vídeo del dispositivo para grabar videos.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 7 y 8
+*   Windows 8
+
+## Acceso a la función
+
+A partir de la versión 3.0, Cordova implementa nivel de dispositivo APIs como *plugins*. Uso de la CLI `plugin` comando, que se describe en la interfaz de línea de comandos, para añadir o eliminar esta característica para un proyecto:
+
+        $ cordova plugin add https://git-wip-us.apache.org/repos/asf/cordova-plugin-media-capture.git
+        $ cordova plugin rm org.apache.cordova.core.media-capture
+    
+
+Estos comandos se aplican a todas las plataformas específicas, sino modificar las opciones de configuración específicas de la plataforma que se describen a continuación:
+
+*   Android
+    
+        (in app/res/XML/plugins.xml) < nombre de la función = "Capturar" >< nombre param = "android-paquete" value="org.apache.cordova.Capture" / >< / característica > (en app/AndroidManifest.xml) < usos-permiso android:name="android.permission.RECORD_AUDIO" / >< usos-permiso android:name="android.permission.WRITE_EXTERNAL_STORAGE" / >
+        
+
+*   BlackBerry WebWorks
+    
+        (in www/plugins.xml) < nombre de la función = "Capturar" >< nombre param = "blackberry-paquete" value="org.apache.cordova.capture.MediaCapture" / >< / característica > (en www/config.xml) < cuentan con id="blackberry.system" requiere = "true" versión = "1.0.0.0" / >< cuentan con id="blackberry.io.file" requiere = "true" version = "1.0.0.0" / >
+        
+
+*   (en iOS`config.xml`)
+    
+        < nombre de la función = "Capturar" >< nombre param = "ios-paquete" value = "CDVCapture" / >< / característica >
+        
+
+*   Windows Phone (en`Properties/WPAppManifest.xml`)
+    
+        < capacidades >< nombre de capacidad = "ID_CAP_MEDIALIB" / >< nombre de capacidad = "ID_CAP_MICROPHONE" / >< nombre de capacidad = "ID_HW_FRONTCAMERA" / >< nombre de capacidad = "ID_CAP_ISV_CAMERA" / >< nombre de capacidad = "ID_CAP_CAMERA" / >< / capacidades >
+        
+
+Algunas plataformas que soportan esta característica sin necesidad de ninguna configuración especial. Ver soporte de plataforma para tener una visión general.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/captureAudio.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/captureAudio.md b/docs/es/edge/cordova/media/capture/captureAudio.md
new file mode 100644
index 0000000..934df69
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/captureAudio.md
@@ -0,0 +1,133 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# capture.captureAudio
+
+> Iniciar la aplicación grabadora de audio y devolver información acerca de los archivos capturados clip de audio.
+
+    navigator.device.capture.captureAudio(
+        CaptureCB captureSuccess, CaptureErrorCB captureError,  [CaptureAudioOptions options]
+    );
+    
+
+## Descripción
+
+Inicia una operación asincrónica para capturar grabaciones de audio mediante la aplicación de grabación de audio del dispositivo por defecto. La operación permite al usuario del dispositivo capturar varias grabaciones en una sola sesión.
+
+La operación de captura termina cuando el usuario sale del audio grabación de aplicación, o el número máximo de registros especificado por `CaptureAudioOptions.limit` se alcanza. Si no `limit` se especifica el valor del parámetro, por defecto a uno (1), y la operación de captura termina después de que el usuario registra un solo clip de audio.
+
+Cuando finaliza la operación de captura, el `CaptureCallback` se ejecuta con una gran variedad de `MediaFile` objetos describiendo cada uno capturado archivo del clip de audio. Si el usuario finaliza la operación antes de que sea capturado un clip de audio, el `CaptureErrorCallback` se ejecuta con un `CaptureError` de objeto, con el `CaptureError.CAPTURE_NO_MEDIA_FILES` código de error.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 7 y 8
+*   Windows 8
+
+## Ejemplo rápido
+
+    // capture callback
+    var captureSuccess = function(mediaFiles) {
+        var i, path, len;
+        for (i = 0, len = mediaFiles.length; i < len; i += 1) {
+            path = mediaFiles[i].fullPath;
+            // do something interesting with the file
+        }
+    };
+    
+    // capture error callback
+    var captureError = function(error) {
+        navigator.notification.alert('Error code: ' + error.code, null, 'Capture Error');
+    };
+    
+    // start audio capture
+    navigator.device.capture.captureAudio(captureSuccess, captureError, {limit:2});
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html>
+    <html>
+      <head>
+        <title>Capture Audio</title>
+    
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8" src="json2.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        // Called when capture operation is finished
+        //
+        function captureSuccess(mediaFiles) {
+            var i, len;
+            for (i = 0, len = mediaFiles.length; i < len; i += 1) {
+                uploadFile(mediaFiles[i]);
+            }
+        }
+    
+        // Called if something bad happens.
+        //
+        function captureError(error) {
+            var msg = 'An error occurred during capture: ' + error.code;
+            navigator.notification.alert(msg, null, 'Uh oh!');
+        }
+    
+        // A button will call this function
+        //
+        function captureAudio() {
+            // Launch device audio recording application,
+            // allowing user to capture up to 2 audio clips
+            navigator.device.capture.captureAudio(captureSuccess, captureError, {limit: 2});
+        }
+    
+        // Upload files to server
+        function uploadFile(mediaFile) {
+            var ft = new FileTransfer(),
+                path = mediaFile.fullPath,
+                name = mediaFile.name;
+    
+            ft.upload(path,
+                "http://my.domain.com/upload.php",
+                function(result) {
+                    console.log('Upload success: ' + result.responseCode);
+                    console.log(result.bytesSent + ' bytes sent');
+                },
+                function(error) {
+                    console.log('Error uploading file ' + path + ': ' + error.code);
+                },
+                { fileName: name });
+        }
+    
+        </script>
+        </head>
+        <body>
+            <button onclick="captureAudio();">Capture Audio</button> <br>
+        </body>
+    </html>
+    
+
+## BlackBerry WebWorks rarezas
+
+*   Cordova para BlackBerry WebWorks intenta lanzar la aplicación **Grabadora de notas de voz** , proporcionada por RIM, capturar grabaciones de audio. La aplicación recibe una `CaptureError.CAPTURE_NOT_SUPPORTED` código de error si la aplicación no está instalada en el dispositivo.
+
+## iOS rarezas
+
+*   iOS no tiene una aplicación de grabación de audio predeterminada, así se proporciona una sencilla interfaz de usuario.
+
+## Windows Phone 7 y 8 rarezas
+
+*   Windows Phone 7 no tiene una aplicación de grabación de audio predeterminada, así se proporciona una sencilla interfaz de usuario.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/captureAudioOptions.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/captureAudioOptions.md b/docs/es/edge/cordova/media/capture/captureAudioOptions.md
new file mode 100644
index 0000000..ff09cf5
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/captureAudioOptions.md
@@ -0,0 +1,45 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# CaptureAudioOptions
+
+> Encapsula las opciones de configuración de captura de audio.
+
+## Propiedades
+
+*   **límite**: el número máximo de clips de audio del usuario del dispositivo puede grabar en una operación de captura individual. El valor debe ser mayor o igual a 1 (por defecto 1).
+
+*   **duración**: la duración máxima de un clip de sonido audio, en segundos.
+
+## Ejemplo rápido
+
+    // limit capture operation to 3 media files, no longer than 10 seconds each
+    var options = { limit: 3, duration: 10 };
+    
+    navigator.device.capture.captureAudio(captureSuccess, captureError, options);
+    
+
+## Rarezas Android
+
+*   El `duration` no se admite el parámetro. Longitudes de la grabación no puede ser limitada mediante programación.
+
+## BlackBerry WebWorks rarezas
+
+*   El `duration` no se admite el parámetro. Longitudes de la grabación no puede ser limitada mediante programación.
+
+## iOS rarezas
+
+*   El `limit` no se admite el parámetro, tan sólo una grabación puede crearse para cada invocación.
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/cordova-docs/blob/992e9151/docs/es/edge/cordova/media/capture/captureImage.md
----------------------------------------------------------------------
diff --git a/docs/es/edge/cordova/media/capture/captureImage.md b/docs/es/edge/cordova/media/capture/captureImage.md
new file mode 100644
index 0000000..a49682a
--- /dev/null
+++ b/docs/es/edge/cordova/media/capture/captureImage.md
@@ -0,0 +1,124 @@
+---
+
+license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at
+
+           http://www.apache.org/licenses/LICENSE-2.0
+    
+         Unless required by applicable law or agreed to in writing,
+         software distributed under the License is distributed on an
+         "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+         KIND, either express or implied.  See the License for the
+         specific language governing permissions and limitations
+    
+
+   under the License.
+---
+
+# capture.captureImage
+
+> Iniciar una aplicación de cámara y devolver información acerca de los archivos de imagen capturada.
+
+    navigator.device.capture.captureImage(
+        CaptureCB captureSuccess, CaptureErrorCB captureError, [CaptureImageOptions options]
+    );
+    
+
+## Descripción
+
+Inicia una operación asincrónica para capturar imágenes utilizando la aplicación de la cámara del dispositivo. La operación permite a los usuarios capturar más de una imagen en una sola sesión.
+
+La operación de captura tampoco termina cuando el usuario cierra una aplicación de cámara, o el número máximo de registros especificado por `CaptureAudioOptions.limit` se alcanza. Si no `limit` se especifica el valor por defecto a uno (1) y termina la operación de captura después de que el usuario capta una sola imagen.
+
+Cuando finaliza la operación de captura, invoca la `CaptureCB` "callback" con una gran variedad de `MediaFile` objetos que describen cada archivo de imagen capturada. Si el usuario finaliza la operación antes de capturar una imagen, la `CaptureErrorCB` devolución de llamada se ejecuta con un `CaptureError` objeto ofrece un `CaptureError.CAPTURE_NO_MEDIA_FILES` código de error.
+
+## Plataformas soportadas
+
+*   Android
+*   BlackBerry WebWorks (OS 5.0 y superiores)
+*   iOS
+*   Windows Phone 7 y 8
+*   Windows 8
+
+## Windows Phone 7 rarezas
+
+Invocando la aplicación de cámara nativa mientras el dispositivo está conectado vía Zune no funciona, y se ejecuta el callback de error.
+
+## Ejemplo rápido
+
+    // capture callback
+    var captureSuccess = function(mediaFiles) {
+        var i, path, len;
+        for (i = 0, len = mediaFiles.length; i < len; i += 1) {
+            path = mediaFiles[i].fullPath;
+            // do something interesting with the file
+        }
+    };
+    
+    // capture error callback
+    var captureError = function(error) {
+        navigator.notification.alert('Error code: ' + error.code, null, 'Capture Error');
+    };
+    
+    // start image capture
+    navigator.device.capture.captureImage(captureSuccess, captureError, {limit:2});
+    
+
+## Ejemplo completo
+
+    <!DOCTYPE html>
+    <html>
+      <head>
+        <title>Capture Image</title>
+    
+        <script type="text/javascript" charset="utf-8" src="cordova.js"></script>
+        <script type="text/javascript" charset="utf-8" src="json2.js"></script>
+        <script type="text/javascript" charset="utf-8">
+    
+        // Called when capture operation is finished
+        //
+        function captureSuccess(mediaFiles) {
+            var i, len;
+            for (i = 0, len = mediaFiles.length; i < len; i += 1) {
+                uploadFile(mediaFiles[i]);
+            }
+        }
+    
+        // Called if something bad happens.
+        //
+        function captureError(error) {
+            var msg = 'An error occurred during capture: ' + error.code;
+            navigator.notification.alert(msg, null, 'Uh oh!');
+        }
+    
+        // A button will call this function
+        //
+        function captureImage() {
+            // Launch device camera application,
+            // allowing user to capture up to 2 images
+            navigator.device.capture.captureImage(captureSuccess, captureError, {limit: 2});
+        }
+    
+        // Upload files to server
+        function uploadFile(mediaFile) {
+            var ft = new FileTransfer(),
+                path = mediaFile.fullPath,
+                name = mediaFile.name;
+    
+            ft.upload(path,
+                "http://my.domain.com/upload.php",
+                function(result) {
+                    console.log('Upload success: ' + result.responseCode);
+                    console.log(result.bytesSent + ' bytes sent');
+                },
+                function(error) {
+                    console.log('Error uploading file ' + path + ': ' + error.code);
+                },
+                { fileName: name });
+        }
+    
+        </script>
+        </head>
+        <body>
+            <button onclick="captureImage();">Capture Image</button> <br>
+        </body>
+    </html>
\ No newline at end of file