You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@cordova.apache.org by ja...@apache.org on 2018/09/16 19:39:43 UTC

[cordova-plugin-geolocation] 01/01: remove outdated doccs translations

This is an automated email from the ASF dual-hosted git repository.

janpio pushed a commit to branch remove-docs-translation
in repository https://gitbox.apache.org/repos/asf/cordova-plugin-geolocation.git

commit 6a104561594f1bbf35940a14bd705ad9e040e8fa
Author: Jan Piotrowski <pi...@gmail.com>
AuthorDate: Sun Sep 16 21:39:30 2018 +0200

    remove outdated doccs translations
---
 doc/de/README.md | 268 -------------------------------------------------------
 doc/de/index.md  | 255 ----------------------------------------------------
 doc/es/README.md | 266 ------------------------------------------------------
 doc/es/index.md  | 214 --------------------------------------------
 doc/fr/README.md | 227 ----------------------------------------------
 doc/fr/index.md  | 214 --------------------------------------------
 doc/it/README.md | 268 -------------------------------------------------------
 doc/it/index.md  | 255 ----------------------------------------------------
 doc/ja/README.md | 268 -------------------------------------------------------
 doc/ja/index.md  | 255 ----------------------------------------------------
 doc/ko/README.md | 268 -------------------------------------------------------
 doc/ko/index.md  | 255 ----------------------------------------------------
 doc/pl/README.md | 268 -------------------------------------------------------
 doc/pl/index.md  | 255 ----------------------------------------------------
 doc/ru/index.md  | 206 ------------------------------------------
 doc/zh/README.md | 268 -------------------------------------------------------
 doc/zh/index.md  | 255 ----------------------------------------------------
 17 files changed, 4265 deletions(-)

diff --git a/doc/de/README.md b/doc/de/README.md
deleted file mode 100644
index 17e14a5..0000000
--- a/doc/de/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-Dieses Plugin bietet Informationen über das Gerät an den Speicherort, z. B. breiten- und Längengrad. Gemeinsame Quellen von Standortinformationen sind Global Positioning System (GPS) und Lage von Netzwerk-Signale wie IP-Adresse, RFID, WLAN und Bluetooth MAC-Adressen und GSM/CDMA Zelle IDs abgeleitet. Es gibt keine Garantie, dass die API des Geräts tatsächliche Position zurückgibt.
-
-Diese API basiert auf der [W3C Geolocation API-Spezifikation](http://dev.w3.org/geo/api/spec-source.html), und nur auf Geräten, die nicht bereits eine Implementierung bieten führt.
-
-**Warnung**: Erhebung und Nutzung von Geolocation-Daten wichtige Privatsphäre wirft. Wie die app benutzt Geolocation-Daten, Ihre app-Datenschutzrichtlinien zu diskutieren, ob es mit allen anderen Parteien und das Niveau der Genauigkeit der Daten (z. B. grob, fein, Postleitzahl, etc..) freigegeben ist. Geolocation-Daten gilt allgemein als empfindlich, weil es den Aufenthaltsort des Benutzers erkennen lässt und wenn gespeichert, die Geschichte von ihren Reisen. Daher neben der app-Privacy  [...]
-
-Dieses Plugin definiert eine globale `navigator.geolocation`-Objekt (für Plattformen, bei denen es sonst fehlt).
-
-Obwohl das Objekt im globalen Gültigkeitsbereich ist, stehen Features von diesem Plugin nicht bis nach dem `deviceready`-Ereignis.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Installation
-
-Dies erfordert Cordova 5.0 + (aktuelle stabile 1.0.0)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-Ältere Versionen von Cordova können noch über die veraltete Id (veraltete 0.3.12) installieren.
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-Es ist auch möglich, über Repo Url direkt zu installieren (unstable)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## Unterstützte Plattformen
-
-  * Amazon Fire OS
-  * Android
-  * BlackBerry 10
-  * Firefox OS
-  * iOS
-  * Tizen
-  * Windows Phone 7 und 8
-  * Windows 8
-  * Windows
-
-## Methoden
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## Objekte (schreibgeschützt)
-
-  * Position
-  * Positionsfehler
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Gibt das Gerät aktuelle Position an den `geolocationSuccess`-Rückruf mit einem `Position`-Objekt als Parameter zurück. Wenn ein Fehler vorliegt, wird der Rückruf `geolocationError` ein `PositionError`-Objekt übergeben.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parameter
-
-  * **GeolocationSuccess**: der Rückruf, der die aktuelle Position übergeben wird.
-
-  * **GeolocationError**: *(Optional)* der Rückruf, der ausgeführt wird, wenn ein Fehler auftritt.
-
-  * **GeolocationOptions**: *(Optional)* die Geolocation-Optionen.
-
-### Beispiel
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Gibt das Gerät aktuelle Position zurück, wenn eine Änderung erkannt wird. Wenn das Gerät einen neuen Speicherort abgerufen hat, führt der `geolocationSuccess`-Rückruf mit einer `Position`-Objekt als Parameter. Wenn ein Fehler vorliegt, führt der `geolocationError`-Rückruf mit einem `PositionError`-Objekt als Parameter.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parameter
-
-  * **GeolocationSuccess**: der Rückruf, der die aktuelle Position übergeben wird.
-
-  * **GeolocationError**: (Optional) der Rückruf, der ausgeführt wird, wenn ein Fehler auftritt.
-
-  * **GeolocationOptions**: (Optional) die Geolocation-Optionen.
-
-### Gibt
-
-  * **String**: gibt eine Uhr-Id, die das Uhr Position Intervall verweist zurück. Die Uhr-Id sollte verwendet werden, mit `navigator.geolocation.clearWatch` , gerade für Änderungen zu stoppen.
-
-### Beispiel
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Optionalen Parametern, um das Abrufen von Geolocation `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Optionen
-
-  * **EnableHighAccuracy**: stellt einen Hinweis, dass die Anwendung die bestmöglichen Ergebnisse benötigt. Standardmäßig versucht das Gerät abzurufen ein `Position` mit netzwerkbasierte Methoden. Wenn diese Eigenschaft auf `true` erzählt den Rahmenbedingungen genauere Methoden, z. B. Satellitenortung verwenden. *(Boolean)*
-
-  * **Timeout**: die maximale Länge der Zeit (in Millisekunden), die zulässig ist, übergeben Sie den Aufruf von `navigator.geolocation.getCurrentPosition` oder `geolocation.watchPosition` bis zu den entsprechenden `geolocationSuccess` Rückruf führt. Wenn die `geolocationSuccess` Rückruf wird nicht aufgerufen, in dieser Zeit die `geolocationError` Rückruf wird übergeben ein `PositionError.TIMEOUT` Fehlercode. (Beachten Sie, dass in Verbindung mit `geolocation.watchPosition` , die `geoloca [...]
-
-  * **MaximumAge**: eine zwischengespeicherte Position, deren Alter nicht größer als die angegebene Zeit in Millisekunden ist, zu akzeptieren. *(Anzahl)*
-
-### Android Eigenarten
-
-Android 2.x-Emulatoren geben ein Geolocation-Ergebnis nicht zurück, es sei denn, die `EnableHighAccuracy`-Option auf `true` festgelegt ist.
-
-## navigator.geolocation.clearWatch
-
-Stoppen Sie, gerade für Änderungen an dem Gerät Speicherort verweist mithilfe des Parameters `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parameter
-
-  * **WatchID**: die Id der `watchPosition` Intervall löschen. (String)
-
-### Beispiel
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Enthält `Position` koordinaten und Timestamp, erstellt von der Geolocation API.
-
-### Eigenschaften
-
-  * **coords**: eine Reihe von geographischen Koordinaten. *(Coordinates)*
-
-  * **timestamp**: Zeitstempel der Erstellung für `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-Ein `Coordinates`-Objekt ist ein `Position`-Objekt zugeordnet, die Callback-Funktionen in Anforderungen für die aktuelle Position zur Verfügung steht. Es enthält eine Reihe von Eigenschaften, die die geographischen Koordinaten von einer Position zu beschreiben.
-
-### Eigenschaften
-
-  * **latitude**: Latitude in Dezimalgrad. *(Anzahl)*
-
-  * **longitude**: Länge in Dezimalgrad. *(Anzahl)*
-
-  * **altitude**: Höhe der Position in Meter über dem Ellipsoid. *(Anzahl)*
-
-  * **accuracy**: Genauigkeit der breiten- und Längengrad Koordinaten in Metern. *(Anzahl)*
-
-  * **AltitudeAccuracy**: Genauigkeit der Koordinate Höhe in Metern. *(Anzahl)*
-
-  * **heading**: Fahrtrichtung, angegeben in Grad relativ zu den Norden im Uhrzeigersinn gezählt. *(Anzahl)*
-
-  * **speed**: aktuelle Geschwindigkeit über Grund des Geräts, in Metern pro Sekunde angegeben. *(Anzahl)*
-
-### Amazon Fire OS Macken
-
-**altitudeAccuracy**: von Android-Geräten, Rückgabe `null` nicht unterstützt.
-
-### Android Eigenarten
-
-**altitudeAccuracy**: von Android-Geräten, Rückgabe `null` nicht unterstützt.
-
-## Positionsfehler
-
-Das `PositionError`-Objekt wird an die `geolocationError`-Callback-Funktion übergeben, tritt ein Fehler mit navigator.geolocation.
-
-### Eigenschaften
-
-  * **Code**: einer der vordefinierten Fehlercodes aufgeführt.
-
-  * **Nachricht**: Fehlermeldung, die die Informationen über den aufgetretenen Fehler beschreibt.
-
-### Konstanten
-
-  * `PositionError.PERMISSION_DENIED` 
-      * Zurückgegeben, wenn Benutzer erlauben nicht die app Positionsinformationen abgerufen werden. Dies ist abhängig von der Plattform.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * Zurückgegeben, wenn das Gerät nicht in der Lage, eine Position abzurufen ist. Im Allgemeinen bedeutet dies, dass das Gerät nicht mit einem Netzwerk verbunden ist oder ein Satelliten-Update kann nicht abgerufen werden.
-  * `PositionError.TIMEOUT` 
-      * Zurückgegeben, wenn das Gerät nicht in der Lage, eine Position innerhalb der festgelegten Zeit abzurufen ist die `timeout` enthalten `geolocationOptions` . Bei Verwendung mit `navigator.geolocation.watchPosition` , könnte dieser Fehler wiederholt übergeben werden, zu der `geolocationError` Rückruf jedes `timeout` Millisekunden.
\ No newline at end of file
diff --git a/doc/de/index.md b/doc/de/index.md
deleted file mode 100644
index 92b2079..0000000
--- a/doc/de/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Dieses Plugin bietet Informationen über das Gerät an den Speicherort, z. B. breiten- und Längengrad. Gemeinsame Quellen von Standortinformationen sind Global Positioning System (GPS) und Lage von Netzwerk-Signale wie IP-Adresse, RFID, WLAN und Bluetooth MAC-Adressen und GSM/CDMA Zelle IDs abgeleitet. Es gibt keine Garantie, dass die API des Geräts tatsächliche Position zurückgibt.
-
-Diese API basiert auf der [W3C Geolocation API-Spezifikation][1], und nur auf Geräten, die nicht bereits eine Implementierung bieten führt.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**Warnung**: Erhebung und Nutzung von Geolocation-Daten wichtige Privatsphäre wirft. Wie die app benutzt Geolocation-Daten, Ihre app-Datenschutzrichtlinien zu diskutieren, ob es mit allen anderen Parteien und das Niveau der Genauigkeit der Daten (z. B. grob, fein, Postleitzahl, etc..) freigegeben ist. Geolocation-Daten gilt allgemein als empfindlich, weil es den Aufenthaltsort des Benutzers erkennen lässt und wenn gespeichert, die Geschichte von ihren Reisen. Daher neben der app-Privacy  [...]
-
-Dieses Plugin definiert eine globale `navigator.geolocation`-Objekt (für Plattformen, bei denen es sonst fehlt).
-
-Obwohl das Objekt im globalen Gültigkeitsbereich ist, stehen Features von diesem Plugin nicht bis nach dem `deviceready`-Ereignis.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Installation
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## Unterstützte Plattformen
-
-*   Amazon Fire OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 und 8
-*   Windows 8
-
-## Methoden
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Objekte (schreibgeschützt)
-
-*   Position
-*   Positionsfehler
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Gibt das Gerät aktuelle Position an den `geolocationSuccess`-Rückruf mit einem `Position`-Objekt als Parameter zurück. Wenn ein Fehler vorliegt, wird der Rückruf `geolocationError` ein `PositionError`-Objekt übergeben.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parameter
-
-*   **GeolocationSuccess**: der Rückruf, der die aktuelle Position übergeben wird.
-
-*   **GeolocationError**: *(Optional)* der Rückruf, der ausgeführt wird, wenn ein Fehler auftritt.
-
-*   **GeolocationOptions**: *(Optional)* die Geolocation-Optionen.
-
-### Beispiel
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Gibt das Gerät aktuelle Position zurück, wenn eine Änderung erkannt wird. Wenn das Gerät einen neuen Speicherort abgerufen hat, führt der `geolocationSuccess`-Rückruf mit einer `Position`-Objekt als Parameter. Wenn ein Fehler vorliegt, führt der `geolocationError`-Rückruf mit einem `PositionError`-Objekt als Parameter.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parameter
-
-*   **GeolocationSuccess**: der Rückruf, der die aktuelle Position übergeben wird.
-
-*   **GeolocationError**: (Optional) der Rückruf, der ausgeführt wird, wenn ein Fehler auftritt.
-
-*   **GeolocationOptions**: (Optional) die Geolocation-Optionen.
-
-### Gibt
-
-*   **String**: gibt eine Uhr-Id, die das Uhr Position Intervall verweist zurück. Die Uhr-Id sollte verwendet werden, mit `navigator.geolocation.clearWatch` , gerade für Änderungen zu stoppen.
-
-### Beispiel
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Optionalen Parametern, um das Abrufen von Geolocation `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Optionen
-
-*   **EnableHighAccuracy**: stellt einen Hinweis, dass die Anwendung die bestmöglichen Ergebnisse benötigt. Standardmäßig versucht das Gerät abzurufen ein `Position` mit netzwerkbasierte Methoden. Wenn diese Eigenschaft auf `true` erzählt den Rahmenbedingungen genauere Methoden, z. B. Satellitenortung verwenden. *(Boolean)*
-
-*   **Timeout**: die maximale Länge der Zeit (in Millisekunden), die zulässig ist, übergeben Sie den Aufruf von `navigator.geolocation.getCurrentPosition` oder `geolocation.watchPosition` bis zu den entsprechenden `geolocationSuccess` Rückruf führt. Wenn die `geolocationSuccess` Rückruf wird nicht aufgerufen, in dieser Zeit die `geolocationError` Rückruf wird übergeben ein `PositionError.TIMEOUT` Fehlercode. (Beachten Sie, dass in Verbindung mit `geolocation.watchPosition` , die `geoloca [...]
-
-*   **MaximumAge**: eine zwischengespeicherte Position, deren Alter nicht größer als die angegebene Zeit in Millisekunden ist, zu akzeptieren. *(Anzahl)*
-
-### Android Eigenarten
-
-Android 2.x-Emulatoren geben ein Geolocation-Ergebnis nicht zurück, es sei denn, die `EnableHighAccuracy`-Option auf `true` festgelegt ist.
-
-## navigator.geolocation.clearWatch
-
-Stoppen Sie, gerade für Änderungen an dem Gerät Speicherort verweist mithilfe des Parameters `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parameter
-
-*   **WatchID**: die Id der `watchPosition` Intervall löschen. (String)
-
-### Beispiel
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Enthält `Position` koordinaten und Timestamp, erstellt von der Geolocation API.
-
-### Eigenschaften
-
-*   **coords**: eine Reihe von geographischen Koordinaten. *(Coordinates)*
-
-*   **timestamp**: Zeitstempel der Erstellung für `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-Ein `Coordinates`-Objekt ist ein `Position`-Objekt zugeordnet, die Callback-Funktionen in Anforderungen für die aktuelle Position zur Verfügung steht. Es enthält eine Reihe von Eigenschaften, die die geographischen Koordinaten von einer Position zu beschreiben.
-
-### Eigenschaften
-
-*   **latitude**: Latitude in Dezimalgrad. *(Anzahl)*
-
-*   **longitude**: Länge in Dezimalgrad. *(Anzahl)*
-
-*   **altitude**: Höhe der Position in Meter über dem Ellipsoid. *(Anzahl)*
-
-*   **accuracy**: Genauigkeit der breiten- und Längengrad Koordinaten in Metern. *(Anzahl)*
-
-*   **AltitudeAccuracy**: Genauigkeit der Koordinate Höhe in Metern. *(Anzahl)*
-
-*   **heading**: Fahrtrichtung, angegeben in Grad relativ zu den Norden im Uhrzeigersinn gezählt. *(Anzahl)*
-
-*   **speed**: aktuelle Geschwindigkeit über Grund des Geräts, in Metern pro Sekunde angegeben. *(Anzahl)*
-
-### Amazon Fire OS Macken
-
-**altitudeAccuracy**: von Android-Geräten, Rückgabe `null` nicht unterstützt.
-
-### Android Eigenarten
-
-**altitudeAccuracy**: von Android-Geräten, Rückgabe `null` nicht unterstützt.
-
-## Positionsfehler
-
-Das `PositionError`-Objekt wird an die `geolocationError`-Callback-Funktion übergeben, tritt ein Fehler mit navigator.geolocation.
-
-### Eigenschaften
-
-*   **Code**: einer der vordefinierten Fehlercodes aufgeführt.
-
-*   **Nachricht**: Fehlermeldung, die die Informationen über den aufgetretenen Fehler beschreibt.
-
-### Konstanten
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Zurückgegeben, wenn Benutzer erlauben nicht die app Positionsinformationen abgerufen werden. Dies ist abhängig von der Plattform.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Zurückgegeben, wenn das Gerät nicht in der Lage, eine Position abzurufen ist. Im Allgemeinen bedeutet dies, dass das Gerät nicht mit einem Netzwerk verbunden ist oder ein Satelliten-Update kann nicht abgerufen werden.
-*   `PositionError.TIMEOUT` 
-    *   Zurückgegeben, wenn das Gerät nicht in der Lage, eine Position innerhalb der festgelegten Zeit abzurufen ist die `timeout` enthalten `geolocationOptions` . Bei Verwendung mit `navigator.geolocation.watchPosition` , könnte dieser Fehler wiederholt übergeben werden, zu der `geolocationError` Rückruf jedes `timeout` Millisekunden.
diff --git a/doc/es/README.md b/doc/es/README.md
deleted file mode 100644
index 7808a0e..0000000
--- a/doc/es/README.md
+++ /dev/null
@@ -1,266 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-Este plugin proporciona información sobre la ubicación del dispositivo, tales como la latitud y longitud. Fuentes comunes de información de localización incluyen el sistema de posicionamiento Global (GPS) y ubicación deducido de las señales de la red como dirección IP, direcciones de RFID, WiFi y Bluetooth MAC y celulares GSM/CDMA IDs. No hay ninguna garantía de que la API devuelve la ubicación real del dispositivo.
-
-Esta API se basa en la [Especificación de API de geolocalización W3C](http://dev.w3.org/geo/api/spec-source.html) y sólo se ejecuta en dispositivos que ya no proporcionan una implementación.
-
-**ADVERTENCIA**: recopilación y uso de datos de geolocalización plantea cuestiones de privacidad importante. Política de privacidad de su aplicación debe discutir cómo la aplicación utiliza los datos de geolocalización, si se comparte con cualquiera de las partes y el nivel de precisión de los datos (por ejemplo, código postal grueso, fino, nivel, etc.). Datos de geolocalización es generalmente considerados sensibles porque puede revelar paradero del usuario y, si está almacenado, la his [...]
-
-Este plugin define un global `navigator.geolocation` objeto (para plataformas donde falta lo contrario).
-
-Aunque el objeto está en el ámbito global, características proporcionadas por este plugin no están disponibles hasta después de la `deviceready` evento.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Instalación
-
-Esto requiere cordova 5.0 + (1.0.0 estable actual)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-Las versiones más antiguas de Córdoba todavía pueden instalar mediante el id obsoleto (0.3.12 rancio)
-
-    Cordova plugin agregar org.apache.cordova.geolocation
-    
-
-También es posible instalar directamente vía url repo (inestable)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## Plataformas soportadas
-
-  * Amazon fire OS
-  * Android
-  * BlackBerry 10
-  * Firefox OS
-  * iOS
-  * Tizen
-  * Windows Phone 7 y 8
-  * Windows 8
-  * Windows
-
-## Métodos
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## Objetos (sólo lectura)
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Devuelve la posición actual del dispositivo a la `geolocationSuccess` "callback" con un `Position` objeto como parámetro. Si hay un error, el `geolocationError` "callback" pasa un `PositionError` objeto.
-
-    navigator.geolocation.getCurrentPosition (geolocationSuccess, [geolocationError], [geolocationOptions]);
-    
-
-### Parámetros
-
-  * **geolocationSuccess**: la devolución de llamada que se pasa a la posición actual.
-
-  * **geolocationError**: *(opcional)* la devolución de llamada que se ejecuta si se produce un error.
-
-  * **geolocationOptions**: *(opcional)* las opciones de geolocalización.
-
-### Ejemplo
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Devuelve la posición actual del dispositivo cuando se detecta un cambio de posición. Cuando el dispositivo recupera una nueva ubicación, el `geolocationSuccess` devolución de llamada se ejecuta con un `Position` objeto como parámetro. Si hay un error, el `geolocationError` devolución de llamada se ejecuta con un `PositionError` objeto como parámetro.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parámetros
-
-  * **geolocationSuccess**: la devolución de llamada que se pasa a la posición actual.
-
-  * **geolocationError**: (opcional) la devolución de llamada que se ejecuta si se produce un error.
-
-  * **geolocationOptions**: opciones (opcional) la geolocalización.
-
-### Devoluciones
-
-  * **Cadena**: devuelve un identificador de reloj que hace referencia el intervalo de posición del reloj. El id del reloj debe ser utilizado con `navigator.geolocation.clearWatch` para dejar de ver a los cambios de posición.
-
-### Ejemplo
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parámetros opcionales para personalizar la recuperación de la geolocalización`Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opciones
-
-  * **enableHighAccuracy**: proporciona una pista que la aplicación necesita los mejores resultados posibles. De forma predeterminada, el dispositivo intentará recuperar un `Position` usando métodos basados en red. Al establecer esta propiedad en `true` dice el marco a utilizar métodos más precisos, como el posicionamiento satelital. *(Boolean)*
-
-  * **tiempo de espera**: la longitud máxima de tiempo (en milisegundos) que está permitido el paso de la llamada a `navigator.geolocation.getCurrentPosition` o `geolocation.watchPosition` hasta el correspondiente `geolocationSuccess` devolución de llamada se ejecuta. Si el `geolocationSuccess` no se invoque "callback" dentro de este tiempo, el `geolocationError` devolución de llamada se pasa un `PositionError.TIMEOUT` código de error. (Tenga en cuenta que cuando se utiliza en conjunción [...]
-
-  * **maximumAge**: aceptar un puesto en la memoria caché, cuya edad no es mayor que el tiempo especificado en milisegundos. *(Número)*
-
-### Rarezas Android
-
-Emuladores Android 2.x no devuelva un resultado de geolocalización a menos que el `enableHighAccuracy` opción se establece en`true`.
-
-## navigator.geolocation.clearWatch
-
-Deja de ver cambios en la ubicación del dispositivo al que hace referencia el `watchID` parámetro.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parámetros
-
-  * **watchID**: el id del intervalo `watchPosition` para despejar. (String)
-
-### Ejemplo
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Contiene `Position` coordenadas y timestamp, creado por la API de geolocalización.
-
-### Propiedades
-
-  * **coordenadas**: un conjunto de coordenadas geográficas. *(Coordenadas)*
-
-  * **timestamp**: fecha y hora de creación `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-A `Coordinates` objeto está unido a un `Position` que está disponible para funciones de retrollamada en las solicitudes para la posición actual del objeto. Contiene un conjunto de propiedades que describen las coordenadas geográficas de posición.
-
-### Propiedades
-
-  * **Latitude**: latitud en grados decimales. *(Número)*
-
-  * **longitud**: longitud en grados decimales. *(Número)*
-
-  * **altitud**: altura de la posición en metros por encima del elipsoide. *(Número)*
-
-  * **exactitud**: nivel de precisión de las coordenadas de latitud y longitud en metros. *(Número)*
-
-  * **altitudeAccuracy**: nivel de precisión de las coordenadas de altitud en metros. *(Número)*
-
-  * **Dirección**: dirección del recorrido, especificado en grados contando hacia la derecha en relación con el norte verdadero. *(Número)*
-
-  * **velocidad**: velocidad actual del dispositivo especificado en metros por segundo. *(Número)*
-
-### Amazon fuego OS rarezas
-
-**altitudeAccuracy**: no compatible con dispositivos Android, regresando`null`.
-
-### Rarezas Android
-
-**altitudeAccuracy**: no compatible con dispositivos Android, regresando`null`.
-
-## PositionError
-
-El `PositionError` objeto se pasa a la `geolocationError` función de devolución de llamada cuando se produce un error con navigator.geolocation.
-
-### Propiedades
-
-  * **code**: uno de los códigos de error predefinido enumerados a continuación.
-
-  * **mensaje**: mensaje de Error que describe los detalles del error encontrado.
-
-### Constantes
-
-  * `PositionError.PERMISSION_DENIED` 
-      * Regresó cuando los usuarios no permiten la aplicación recuperar información de la posición. Esto depende de la plataforma.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * Regresó cuando el dispositivo es capaz de recuperar una posición. En general, esto significa que el dispositivo no está conectado a una red o no puede obtener una solución vía satélite.
-  * `PositionError.TIMEOUT` 
-      * Cuando el dispositivo es capaz de recuperar una posición dentro del tiempo especificado por el `timeout` incluido en `geolocationOptions` . Cuando se utiliza con `navigator.geolocation.watchPosition` , este error podría pasar repetidamente a la `geolocationError` "callback" cada `timeout` milisegundos.
\ No newline at end of file
diff --git a/doc/es/index.md b/doc/es/index.md
deleted file mode 100644
index 041f3f8..0000000
--- a/doc/es/index.md
+++ /dev/null
@@ -1,214 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Este plugin proporciona información sobre la ubicación del dispositivo, tales como la latitud y longitud. Fuentes comunes de información de localización incluyen el sistema de posicionamiento Global (GPS) y ubicación deducido de las señales de la red como dirección IP, direcciones de RFID, WiFi y Bluetooth MAC y celulares GSM/CDMA IDs. No hay ninguna garantía de que la API devuelve la ubicación real del dispositivo.
-
-Esta API se basa en la [Especificación de API de geolocalización W3C][1] y sólo se ejecuta en dispositivos que ya no proporcionan una implementación.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**ADVERTENCIA**: recopilación y uso de datos de geolocalización plantea cuestiones de privacidad importante. Política de privacidad de su aplicación debe discutir cómo la aplicación utiliza los datos de geolocalización, si se comparte con cualquiera de las partes y el nivel de precisión de los datos (por ejemplo, código postal grueso, fino, nivel, etc.). Datos de geolocalización es generalmente considerados sensibles porque puede revelar paradero del usuario y, si está almacenado, la his [...]
-
-Este plugin define un global `navigator.geolocation` objeto (para plataformas donde falta lo contrario).
-
-Aunque el objeto está en el ámbito global, características proporcionadas por este plugin no están disponibles hasta después de la `deviceready` evento.
-
-    document.addEventListener ("deviceready", onDeviceReady, false);
-    function onDeviceReady() {console.log ("navigator.geolocation funciona bien");}
-    
-
-## Instalación
-
-    Cordova plugin agregar cordova-plugin-geolocation
-    
-
-## Plataformas soportadas
-
-*   Amazon fire OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 y 8
-*   Windows 8
-
-## Métodos
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Objetos (sólo lectura)
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Devuelve la posición actual del dispositivo a la `geolocationSuccess` "callback" con un `Position` objeto como parámetro. Si hay un error, el `geolocationError` "callback" pasa un `PositionError` objeto.
-
-    navigator.geolocation.getCurrentPosition (geolocationSuccess, [geolocationError], [geolocationOptions]);
-    
-
-### Parámetros
-
-*   **geolocationSuccess**: la devolución de llamada que se pasa a la posición actual.
-
-*   **geolocationError**: *(opcional)* la devolución de llamada que se ejecuta si se produce un error.
-
-*   **geolocationOptions**: *(opcional)* las opciones de geolocalización.
-
-### Ejemplo
-
-    onSuccess Callback / / este método acepta un objeto Position, que contiene el / / coordenadas GPS actual / / var onSuccess = function(position) {alert (' latitud: ' + position.coords.latitude + '\n' + ' longitud: ' + position.coords.longitude + '\n' + ' altitud: ' + position.coords.altitude + '\n' + ' exactitud: ' + position.coords.accuracy + '\n' + ' altitud exactitud: ' + position.coords.altitudeAccuracy + '\n' + ' hacia: ' + position.coords.heading + '\n' + ' velocidad: ' + positi [...]
-    
-    onError Callback recibe un objeto PositionError / / function onError(error) {alert (' código: ' + error.code + '\n' + ' mensaje: ' + error.message + '\n');}
-    
-    navigator.geolocation.getCurrentPosition (onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Devuelve la posición actual del dispositivo cuando se detecta un cambio de posición. Cuando el dispositivo recupera una nueva ubicación, el `geolocationSuccess` devolución de llamada se ejecuta con un `Position` objeto como parámetro. Si hay un error, el `geolocationError` devolución de llamada se ejecuta con un `PositionError` objeto como parámetro.
-
-    var watchId = navigator.geolocation.watchPosition (geolocationSuccess, [geolocationError], [geolocationOptions]);
-    
-
-### Parámetros
-
-*   **geolocationSuccess**: la devolución de llamada que se pasa a la posición actual.
-
-*   **geolocationError**: (opcional) la devolución de llamada que se ejecuta si se produce un error.
-
-*   **geolocationOptions**: opciones (opcional) la geolocalización.
-
-### Devoluciones
-
-*   **Cadena**: devuelve un identificador de reloj que hace referencia el intervalo de posición del reloj. El id del reloj debe ser utilizado con `navigator.geolocation.clearWatch` para dejar de ver a los cambios de posición.
-
-### Ejemplo
-
-    onSuccess Callback / / este método acepta un objeto 'Position', que contiene / / coordenadas GPS de la corriente / / function onSuccess(position) {var elemento = document.getElementById('geolocation');
-        element.innerHTML = ' latitud: ' + position.coords.latitude + ' < br / >' + ' longitud: ' + position.coords.longitude + ' < br / >' + ' < hr / >' + element.innerHTML;
-    } / / onError Callback recibe un objeto PositionError / / function onError(error) {alert (' código: ' + error.code + '\n' + ' mensaje: ' + error.message + '\n');}
-    
-    Opciones: tira un error si no se recibe ninguna actualización cada 30 segundos.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parámetros opcionales para personalizar la recuperación de la geolocalización`Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opciones
-
-*   **enableHighAccuracy**: proporciona una pista que la aplicación necesita los mejores resultados posibles. De forma predeterminada, el dispositivo intentará recuperar un `Position` usando métodos basados en red. Al establecer esta propiedad en `true` dice el marco a utilizar métodos más precisos, como el posicionamiento satelital. *(Boolean)*
-
-*   **tiempo de espera**: la longitud máxima de tiempo (en milisegundos) que está permitido el paso de la llamada a `navigator.geolocation.getCurrentPosition` o `geolocation.watchPosition` hasta el correspondiente `geolocationSuccess` devolución de llamada se ejecuta. Si el `geolocationSuccess` no se invoque "callback" dentro de este tiempo, el `geolocationError` devolución de llamada se pasa un `PositionError.TIMEOUT` código de error. (Tenga en cuenta que cuando se utiliza en conjunción [...]
-
-*   **maximumAge**: aceptar un puesto en la memoria caché, cuya edad no es mayor que el tiempo especificado en milisegundos. *(Número)*
-
-### Rarezas Android
-
-Emuladores Android 2.x no devuelva un resultado de geolocalización a menos que el `enableHighAccuracy` opción se establece en`true`.
-
-## navigator.geolocation.clearWatch
-
-Deja de ver cambios en la ubicación del dispositivo al que hace referencia el `watchID` parámetro.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parámetros
-
-*   **watchID**: el id del intervalo `watchPosition` para despejar. (String)
-
-### Ejemplo
-
-    Opciones: ver los cambios en la posición y usar más / / exacta posición disponible del método de adquisición.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { enableHighAccuracy: true });
-    
-    ... después de...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Contiene `Position` coordenadas y timestamp, creado por la API de geolocalización.
-
-### Propiedades
-
-*   **coordenadas**: un conjunto de coordenadas geográficas. *(Coordenadas)*
-
-*   **timestamp**: fecha y hora de creación `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-A `Coordinates` objeto está unido a un `Position` que está disponible para funciones de retrollamada en las solicitudes para la posición actual del objeto. Contiene un conjunto de propiedades que describen las coordenadas geográficas de posición.
-
-### Propiedades
-
-*   **Latitude**: latitud en grados decimales. *(Número)*
-
-*   **longitud**: longitud en grados decimales. *(Número)*
-
-*   **altitud**: altura de la posición en metros por encima del elipsoide. *(Número)*
-
-*   **exactitud**: nivel de precisión de las coordenadas de latitud y longitud en metros. *(Número)*
-
-*   **altitudeAccuracy**: nivel de precisión de las coordenadas de altitud en metros. *(Número)*
-
-*   **Dirección**: dirección del recorrido, especificado en grados contando hacia la derecha en relación con el norte verdadero. *(Número)*
-
-*   **velocidad**: velocidad actual del dispositivo especificado en metros por segundo. *(Número)*
-
-### Amazon fuego OS rarezas
-
-**altitudeAccuracy**: no compatible con dispositivos Android, regresando`null`.
-
-### Rarezas Android
-
-**altitudeAccuracy**: no compatible con dispositivos Android, regresando`null`.
-
-## PositionError
-
-El `PositionError` objeto se pasa a la `geolocationError` función de devolución de llamada cuando se produce un error con navigator.geolocation.
-
-### Propiedades
-
-*   **code**: uno de los códigos de error predefinido enumerados a continuación.
-
-*   **mensaje**: mensaje de Error que describe los detalles del error encontrado.
-
-### Constantes
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Regresó cuando los usuarios no permiten la aplicación recuperar información de la posición. Esto depende de la plataforma.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Regresó cuando el dispositivo es capaz de recuperar una posición. En general, esto significa que el dispositivo no está conectado a una red o no puede obtener una solución vía satélite.
-*   `PositionError.TIMEOUT` 
-    *   Cuando el dispositivo es capaz de recuperar una posición dentro del tiempo especificado por el `timeout` incluido en `geolocationOptions` . Cuando se utiliza con `navigator.geolocation.watchPosition` , este error podría pasar repetidamente a la `geolocationError` "callback" cada `timeout` milisegundos.
diff --git a/doc/fr/README.md b/doc/fr/README.md
deleted file mode 100644
index 775a487..0000000
--- a/doc/fr/README.md
+++ /dev/null
@@ -1,227 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-Ce plugin fournit des informations sur l'emplacement de l'appareil, tels que la latitude et la longitude. Les sources habituelles d'information incluent le Système de Positionnement Global (GPS) et la position déduite de signaux des réseaux tels que l'adresse IP, RFID, les adresses MAC WiFi et Bluetooth et les IDs cellulaires GSM/CDMA. Il n'y a cependant aucune garantie que cette API renvoie la position réelle de l'appareil.
-
-Cette API est basée sur la [Spécification de l'API Geolocation du W3C](http://dev.w3.org/geo/api/spec-source.html) et s'exécute uniquement sur les appareils qui n'en proposent pas déjà une implémentation.
-
-**Avertissement**: collecte et utilisation des données de géolocalisation soulève des questions importantes de la vie privée. La politique de confidentialité de votre application devrait traiter de la manière dont l'application utilise les données de géolocalisation, si elle les partage avec d'autres parties ou non et définir le niveau de précision de celles-ci (par exemple grossier, fin, restreint au code postal, etc.). Données de géolocalisation sont généralement considéré comme sensib [...]
-
-Ce plugin définit un global `navigator.geolocation` objet (pour les plateformes où il est autrement manquant).
-
-Bien que l'objet est dans la portée globale, les fonctions offertes par ce plugin ne sont pas disponibles jusqu'après la `deviceready` événement.
-
-    document.addEventListener (« deviceready », onDeviceReady, false) ;
-    function onDeviceReady() {console.log ("navigator.geolocation fonctionne bien");}
-    
-
-## Installation
-
-Pour cela, cordova 5.0 + (1.0.0 stable actuelle)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-Anciennes versions de cordova peuvent toujours installer via l'id obsolète (rassis 0.3.12)
-
-    Cordova plugin ajouter org.apache.cordova.geolocation
-    
-
-Il est également possible d'installer directement via l'url de repo (instable)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## Plates-formes supportées
-
-  * Amazon Fire OS
-  * Android
-  * BlackBerry 10
-  * Firefox OS
-  * iOS
-  * Paciarelli
-  * Windows Phone 7 et 8
-  * Windows 8
-  * Windows
-
-## Méthodes
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## Objets (lecture seule)
-
-  * Position
-  * PositionError
-  * Coordonnées
-
-## navigator.geolocation.getCurrentPosition
-
-Retourne la position actuelle de l'appareil à la `geolocationSuccess` rappel avec un `Position` objet comme paramètre. Si une erreur se produit, le `geolocationError` rappel est passé un `PositionError` objet.
-
-    navigator.geolocation.getCurrentPosition (geolocationSuccess, [geolocationError], [geolocationOptions]) ;
-    
-
-### Paramètres
-
-  * **geolocationSuccess** : la fonction callback à laquelle est transmise la position actuelle.
-
-  * **geolocationError** : *(facultative)* la fonction callback s'exécutant si une erreur survient.
-
-  * **geolocationOptions** : *(facultatives)* des préférences de géolocalisation.
-
-### Exemple
-
-    onSuccess rappel / / cette méthode accepte un objet de Position, qui contient le / / coordonnées GPS actuel / / var onSuccess = function(position) {alert ('Latitude: ' + position.coords.latitude + « \n » + ' Longitude: ' + position.coords.longitude + « \n » + ' Altitude: ' + position.coords.altitude + « \n » + ' précision: ' + position.coords.accuracy + « \n » + ' Altitude précision: ' + position.coords.altitudeAccuracy + « \n » + ' rubrique: ' + position.coords.heading + « \n » + '  [...]
-    
-    onError rappel reçoit un objet PositionError / / function onError(error) {alert ('code: "+ error.code + « \n » + ' message: ' + error.message + « \n »);}
-    
-    navigator.geolocation.getCurrentPosition (onSuccess, onError) ;
-    
-
-## navigator.geolocation.watchPosition
-
-Retourne la position actuelle de l'appareil lorsqu'un changement de position est détecté. Lorsque l'appareil récupère un nouvel emplacement, le `geolocationSuccess` rappel s'exécute avec un `Position` objet comme paramètre. Si une erreur se produit, le `geolocationError` rappel s'exécute avec un `PositionError` objet comme paramètre.
-
-    var watchId = navigator.geolocation.watchPosition (geolocationSuccess, [geolocationError], [geolocationOptions]) ;
-    
-
-### Paramètres
-
-  * **geolocationSuccess** : la fonction callback à laquelle est transmise la position actuelle.
-
-  * **geolocationError** : (facultative) la fonction callback s'exécutant lorsqu'une erreur survient.
-
-  * **geolocationOptions** : (facultatives) options de personnalisation de la géolocalisation.
-
-### Retours
-
-  * **Chaîne**: retourne un id de montre qui fait référence à l'intervalle de position montre. L'id de la montre doit être utilisé avec `navigator.geolocation.clearWatch` d'arrêter de regarder pour les changements de position.
-
-### Exemple
-
-    onSuccess rappel / / cette méthode accepte un objet « Position », qui contient / / coordonnées de GPS le courant / / function onSuccess(position) {var element = document.getElementById('geolocation') ;
-        element.innerHTML = ' Latitude: "+ position.coords.latitude + ' < br / >' + ' Longitude:" + position.coords.longitude + ' < br / >' + ' < hr / >' + element.innerHTML ;
-    } / / onError rappel reçoit un objet PositionError / / function onError(error) {alert ('code: ' + error.code + « \n » + "message: ' + error.message + « \n »);}
-    
-    Options : lever une erreur si aucune mise à jour n'est reçu toutes les 30 secondes.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { timeout: 30000 }) ;
-    
-
-## geolocationOptions
-
-Paramètres optionnels pour personnaliser la récupération de la géolocalisation`Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true } ;
-    
-
-### Options
-
-  * **enableHighAccuracy** : indique que l'application nécessite les meilleurs résultats possibles. Par défaut, l'appareil tente de récupérer une `Position` à l'aide de méthodes basées sur le réseau. Définir cette propriété à `true` demande à Cordova d'utiliser des méthodes plus précises, telles que la localisation par satellite. *(Boolean)*
-
-  * **délai d'attente**: la longueur maximale de temps (en millisecondes) qui peut passer de l'appel à `navigator.geolocation.getCurrentPosition` ou `geolocation.watchPosition` jusqu'à ce que le correspondant `geolocationSuccess` rappel s'exécute. Si `geolocationSuccess` n'est pas appelée dans ce délai, le code d'erreur `PositionError.TIMEOUT` est transmis à la fonction callback `geolocationError`. (Notez que, dans le cas de `geolocation.watchPosition`, la fonction callback `geolocationE [...]
-
-  * **maximumAge** : accepter une position mise en cache dont l'âge ne dépasse pas le délai spécifié en millisecondes. *(Number)*
-
-### Quirks Android
-
-Émulateurs Android 2.x ne pas retournent un résultat de géolocalisation, à moins que le `enableHighAccuracy` option est définie sur`true`.
-
-## navigator.geolocation.clearWatch
-
-Arrêter de regarder pour les modifications à l'emplacement de l'appareil référencé par le `watchID` paramètre.
-
-    navigator.geolocation.clearWatch(watchID) ;
-    
-
-### Paramètres
-
-  * **watchID** : l'identifiant de l'intervalle `watchPosition` à effacer. (String)
-
-### Exemple
-
-    Options : suivi des modifications dans la position et utilise le plus / / exacte position méthode d'acquisition disponible.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { enableHighAccuracy: true }) ;
-    
-    .. plus sur...
-    
-    navigator.geolocation.clearWatch(watchID) ;
-    
-
-## Position
-
-Contient `Position` coordonnées et timestamp, créé par l'API de géolocalisation.
-
-### Propriétés
-
-  * **coords** : un ensemble de coordonnées géographiques. *(Coordinates)*
-
-  * **timestamp** : horodatage de la création de `coords`. *(DOMTimeStamp)*
-
-## Coordonnées
-
-A `Coordinates` objet est attaché à un `Position` objet qui n'existe pas de fonctions de rappel dans les requêtes pour la position actuelle. Il contient un ensemble de propriétés qui décrivent les coordonnées géographiques d'une position.
-
-### Propriétés
-
-  * **latitude** : latitude en degrés décimaux. *(Number)*
-
-  * **longitude** : longitude en degrés décimaux. *(Number)*
-
-  * **altitude** : hauteur de la position en mètres au-dessus de l'ellipsoïde. *(Number)*
-
-  * **accuracy** : niveau de précision des valeurs de latitude et longitude, en mètres. *(Number)*
-
-  * **altitudeAccuracy** : niveau de précision de la valeur d'altitude, en mètres. *(Number)*
-
-  * **heading** : direction du trajet, indiquée en degrés comptés dans le sens horaire par rapport au vrai Nord. *(Number)*
-
-  * **speed** : vitesse au sol actuelle de l'appareil, indiquée en mètres par seconde. *(Number)*
-
-### Amazon Fire OS Quirks
-
-**altitudeAccuracy**: ne pas pris en charge par les appareils Android, retour`null`.
-
-### Quirks Android
-
-**altitudeAccuracy**: ne pas pris en charge par les appareils Android, retour`null`.
-
-## PositionError
-
-Le `PositionError` objet est passé à la `geolocationError` fonction de rappel lorsqu'une erreur se produit avec navigator.geolocation.
-
-### Propriétés
-
-  * **code**: l'un des codes d'erreur prédéfinis énumérés ci-dessous.
-
-  * **message** : un message d'erreur détaillant l'erreur rencontrée.
-
-### Constantes
-
-  * `PositionError.PERMISSION_DENIED` 
-      * Retourné lorsque les utilisateurs ne permettent pas l'application extraire des informations de position. Cela dépend de la plate-forme.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * Retourné lorsque le périphérique n'est pas en mesure de récupérer une position. En général, cela signifie que l'appareil n'est pas connecté à un réseau ou ne peut pas obtenir un correctif de satellite.
-  * `PositionError.TIMEOUT` 
-      * Retourné lorsque le périphérique n'est pas en mesure de récupérer une position dans le délai précisé par le `timeout` inclus dans `geolocationOptions` . Lorsqu'il est utilisé avec `navigator.geolocation.watchPosition` , cette erreur pourrait être transmise à plusieurs reprises à la `geolocationError` rappel chaque `timeout` millisecondes.
\ No newline at end of file
diff --git a/doc/fr/index.md b/doc/fr/index.md
deleted file mode 100644
index 4d48637..0000000
--- a/doc/fr/index.md
+++ /dev/null
@@ -1,214 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Ce plugin fournit des informations sur l'emplacement de l'appareil, tels que la latitude et la longitude. Les sources habituelles d'information incluent le Système de Positionnement Global (GPS) et la position déduite de signaux des réseaux tels que l'adresse IP, RFID, les adresses MAC WiFi et Bluetooth et les IDs cellulaires GSM/CDMA. Il n'y a cependant aucune garantie que cette API renvoie la position réelle de l'appareil.
-
-Cette API est basée sur la [Spécification de l'API Geolocation du W3C][1] et s'exécute uniquement sur les appareils qui n'en proposent pas déjà une implémentation.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**Avertissement**: collecte et utilisation des données de géolocalisation soulève des questions importantes de la vie privée. La politique de confidentialité de votre application devrait traiter de la manière dont l'application utilise les données de géolocalisation, si elle les partage avec d'autres parties ou non et définir le niveau de précision de celles-ci (par exemple grossier, fin, restreint au code postal, etc.). Données de géolocalisation sont généralement considéré comme sensib [...]
-
-Ce plugin définit un global `navigator.geolocation` objet (pour les plateformes où il est autrement manquant).
-
-Bien que l'objet est dans la portée globale, les fonctions offertes par ce plugin ne sont pas disponibles jusqu'après la `deviceready` événement.
-
-    document.addEventListener (« deviceready », onDeviceReady, false) ;
-    function onDeviceReady() {console.log ("navigator.geolocation fonctionne bien");}
-    
-
-## Installation
-
-    Cordova plugin ajouter cordova-plugin-geolocation
-    
-
-## Plates-formes prises en charge
-
-*   Amazon Fire OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Paciarelli
-*   Windows Phone 7 et 8
-*   Windows 8
-
-## Méthodes
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Objets (lecture seule)
-
-*   Position
-*   PositionError
-*   Coordonnées
-
-## navigator.geolocation.getCurrentPosition
-
-Retourne la position actuelle de l'appareil à la `geolocationSuccess` rappel avec un `Position` objet comme paramètre. Si une erreur se produit, le `geolocationError` rappel est passé un `PositionError` objet.
-
-    navigator.geolocation.getCurrentPosition (geolocationSuccess, [geolocationError], [geolocationOptions]) ;
-    
-
-### Paramètres
-
-*   **geolocationSuccess** : la fonction callback à laquelle est transmise la position actuelle.
-
-*   **geolocationError** : *(facultative)* la fonction callback s'exécutant si une erreur survient.
-
-*   **geolocationOptions** : *(facultatives)* des préférences de géolocalisation.
-
-### Exemple
-
-    onSuccess rappel / / cette méthode accepte un objet de Position, qui contient le / / coordonnées GPS actuel / / var onSuccess = function(position) {alert ('Latitude: ' + position.coords.latitude + « \n » + ' Longitude: ' + position.coords.longitude + « \n » + ' Altitude: ' + position.coords.altitude + « \n » + ' précision: ' + position.coords.accuracy + « \n » + ' Altitude précision: ' + position.coords.altitudeAccuracy + « \n » + ' rubrique: ' + position.coords.heading + « \n » + '  [...]
-    
-    onError rappel reçoit un objet PositionError / / function onError(error) {alert ('code: "+ error.code + « \n » + ' message: ' + error.message + « \n »);}
-    
-    navigator.geolocation.getCurrentPosition (onSuccess, onError) ;
-    
-
-## navigator.geolocation.watchPosition
-
-Retourne la position actuelle de l'appareil lorsqu'un changement de position est détecté. Lorsque l'appareil récupère un nouvel emplacement, le `geolocationSuccess` rappel s'exécute avec un `Position` objet comme paramètre. Si une erreur se produit, le `geolocationError` rappel s'exécute avec un `PositionError` objet comme paramètre.
-
-    var watchId = navigator.geolocation.watchPosition (geolocationSuccess, [geolocationError], [geolocationOptions]) ;
-    
-
-### Paramètres
-
-*   **geolocationSuccess**: la fonction de rappel qui est passée de la position actuelle.
-
-*   **geolocationError** : (facultative) la fonction callback s'exécutant lorsqu'une erreur survient.
-
-*   **geolocationOptions** : (facultatives) options de personnalisation de la géolocalisation.
-
-### Retours
-
-*   **Chaîne**: retourne un id de montre qui fait référence à l'intervalle de position montre. L'id de la montre doit être utilisé avec `navigator.geolocation.clearWatch` d'arrêter de regarder pour les changements de position.
-
-### Exemple
-
-    onSuccess rappel / / cette méthode accepte un objet « Position », qui contient / / coordonnées de GPS le courant / / function onSuccess(position) {var element = document.getElementById('geolocation') ;
-        element.innerHTML = ' Latitude: "+ position.coords.latitude + ' < br / >' + ' Longitude:" + position.coords.longitude + ' < br / >' + ' < hr / >' + element.innerHTML ;
-    } / / onError rappel reçoit un objet PositionError / / function onError(error) {alert ('code: ' + error.code + « \n » + "message: ' + error.message + « \n »);}
-    
-    Options : lever une erreur si aucune mise à jour n'est reçu toutes les 30 secondes.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { timeout: 30000 }) ;
-    
-
-## geolocationOptions
-
-Paramètres optionnels pour personnaliser la récupération de la géolocalisation`Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true } ;
-    
-
-### Options
-
-*   **enableHighAccuracy** : indique que l'application nécessite les meilleurs résultats possibles. Par défaut, l'appareil tente de récupérer une `Position` à l'aide de méthodes basées sur le réseau. Définir cette propriété à `true` demande à Cordova d'utiliser des méthodes plus précises, telles que la localisation par satellite. *(Boolean)*
-
-*   **délai d'attente**: la longueur maximale de temps (en millisecondes) qui peut passer de l'appel à `navigator.geolocation.getCurrentPosition` ou `geolocation.watchPosition` jusqu'à ce que le correspondant `geolocationSuccess` rappel s'exécute. Si `geolocationSuccess` n'est pas appelée dans ce délai, le code d'erreur `PositionError.TIMEOUT` est transmis à la fonction callback `geolocationError`. (Notez que, dans le cas de `geolocation.watchPosition`, la fonction callback `geolocationE [...]
-
-*   **maximumAge** : accepter une position mise en cache dont l'âge ne dépasse pas le délai spécifié en millisecondes. *(Number)*
-
-### Quirks Android
-
-Émulateurs Android 2.x ne pas retournent un résultat de géolocalisation, à moins que le `enableHighAccuracy` option est définie sur`true`.
-
-## navigator.geolocation.clearWatch
-
-Arrêter de regarder pour les modifications à l'emplacement de l'appareil référencé par le `watchID` paramètre.
-
-    navigator.geolocation.clearWatch(watchID) ;
-    
-
-### Paramètres
-
-*   **watchID** : l'identifiant de l'intervalle `watchPosition` à effacer. (String)
-
-### Exemple
-
-    Options : suivi des modifications dans la position et utilise le plus / / exacte position méthode d'acquisition disponible.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, { enableHighAccuracy: true }) ;
-    
-    .. plus sur...
-    
-    navigator.geolocation.clearWatch(watchID) ;
-    
-
-## Position
-
-Contient `Position` coordonnées et timestamp, créé par l'API de géolocalisation.
-
-### Propriétés
-
-*   **coords** : un ensemble de coordonnées géographiques. *(Coordinates)*
-
-*   **timestamp** : horodatage de la création de `coords`. *(DOMTimeStamp)*
-
-## Coordonnées
-
-A `Coordinates` objet est attaché à un `Position` objet qui n'existe pas de fonctions de rappel dans les requêtes pour la position actuelle. Il contient un ensemble de propriétés qui décrivent les coordonnées géographiques d'une position.
-
-### Propriétés
-
-*   **latitude** : latitude en degrés décimaux. *(Number)*
-
-*   **longitude** : longitude en degrés décimaux. *(Number)*
-
-*   **altitude** : hauteur de la position en mètres au-dessus de l'ellipsoïde. *(Number)*
-
-*   **accuracy** : niveau de précision des valeurs de latitude et longitude, en mètres. *(Number)*
-
-*   **altitudeAccuracy** : niveau de précision de la valeur d'altitude, en mètres. *(Number)*
-
-*   **heading** : direction du trajet, indiquée en degrés comptés dans le sens horaire par rapport au vrai Nord. *(Number)*
-
-*   **speed** : vitesse au sol actuelle de l'appareil, indiquée en mètres par seconde. *(Number)*
-
-### Amazon Fire OS Quirks
-
-**altitudeAccuracy**: ne pas pris en charge par les appareils Android, retour`null`.
-
-### Quirks Android
-
-**altitudeAccuracy**: ne pas pris en charge par les appareils Android, retour`null`.
-
-## PositionError
-
-Le `PositionError` objet est passé à la `geolocationError` fonction de rappel lorsqu'une erreur se produit avec navigator.geolocation.
-
-### Propriétés
-
-*   **code**: l'un des codes d'erreur prédéfinis énumérés ci-dessous.
-
-*   **message** : un message d'erreur détaillant l'erreur rencontrée.
-
-### Constantes
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Retourné lorsque les utilisateurs ne permettent pas l'application extraire des informations de position. Cela dépend de la plate-forme.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Retourné lorsque le périphérique n'est pas en mesure de récupérer une position. En général, cela signifie que l'appareil n'est pas connecté à un réseau ou ne peut pas obtenir un correctif de satellite.
-*   `PositionError.TIMEOUT` 
-    *   Retourné lorsque le périphérique n'est pas en mesure de récupérer une position dans le délai précisé par le `timeout` inclus dans `geolocationOptions` . Lorsqu'il est utilisé avec `navigator.geolocation.watchPosition` , cette erreur pourrait être transmise à plusieurs reprises à la `geolocationError` rappel chaque `timeout` millisecondes.
diff --git a/doc/it/README.md b/doc/it/README.md
deleted file mode 100644
index ffa472b..0000000
--- a/doc/it/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-Questo plugin fornisce informazioni sulla posizione del dispositivo, come latitudine e longitudine. Comuni fonti di informazioni sulla posizione comprendono Global Positioning System (GPS) e posizione dedotta dai segnali di rete come indirizzo IP, indirizzi, RFID, WiFi e Bluetooth MAC e cellulare GSM/CDMA IDs. Non non c'è alcuna garanzia che l'API restituisce la posizione effettiva del dispositivo.
-
-Questa API è basata sulla [Specifica di W3C Geolocation API](http://dev.w3.org/geo/api/spec-source.html)e viene eseguito solo su dispositivi che non già forniscono un'implementazione.
-
-**Avviso**: raccolta e utilizzo dei dati di geolocalizzazione solleva questioni di privacy importante. Politica sulla privacy dell'app dovrebbe discutere come app utilizza dati di geolocalizzazione, se è condiviso con altre parti e il livello di precisione dei dati (ad esempio, Cap grossolana, fine, livello, ecc.). Dati di geolocalizzazione sono generalmente considerati sensibili perché può rivelare la sorte dell'utente e, se conservati, la storia dei loro viaggi. Pertanto, oltre alla po [...]
-
-Questo plugin definisce un oggetto globale `navigator.geolocation` (per le piattaforme dove altrimenti è manca).
-
-Sebbene l'oggetto sia in ambito globale, funzionalità fornite da questo plugin non sono disponibili fino a dopo l'evento `deviceready`.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Installazione
-
-Ciò richiede cordova 5.0 + (attuale stabile 1.0.0)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-Versioni precedenti di cordova comunque possono installare tramite l'id deprecata (stantio 0.3.12)
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-È anche possibile installare direttamente tramite url di repo (instabile)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## Piattaforme supportate
-
-  * Amazon fuoco OS
-  * Android
-  * BlackBerry 10
-  * Firefox OS
-  * iOS
-  * Tizen
-  * Windows Phone 7 e 8
-  * Windows 8
-  * Windows
-
-## Metodi
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## Oggetti (sola lettura)
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Restituisce la posizione corrente del dispositivo il callback di `geolocationSuccess` con un `Position` di oggetto come parametro. Se c'è un errore, `geolocationError` callback viene passato un oggetto `PositionError`.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parametri
-
-  * **geolocationSuccess**: il callback passato alla posizione corrente.
-
-  * **geolocationError**: *(facoltativo)* il callback che viene eseguito se si verifica un errore.
-
-  * **geolocationOptions**: *(opzionale)* le opzioni di geolocalizzazione.
-
-### Esempio
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Restituisce la posizione corrente del dispositivo quando viene rilevata una modifica della posizione. Quando il dispositivo recupera una nuova posizione, il callback `geolocationSuccess` esegue con un `Position` di oggetto come parametro. Se c'è un errore, `geolocationError` callback viene eseguito con un oggetto `PositionError` come parametro.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parametri
-
-  * **geolocationSuccess**: il callback passato alla posizione corrente.
-
-  * **geolocationError**: (facoltativo) il callback che viene eseguito se si verifica un errore.
-
-  * **geolocationOptions**: opzioni (opzionale) la geolocalizzazione.
-
-### Restituisce
-
-  * **Stringa**: restituisce un id di orologio che fa riferimento l'intervallo di posizione orologio. L'id dell'orologio deve essere usato con `navigator.geolocation.clearWatch` a smettere di guardare per cambiamenti di posizione.
-
-### Esempio
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parametri opzionali per personalizzare il recupero di geolocalizzazione `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opzioni
-
-  * **enableHighAccuracy**: fornisce un suggerimento che l'applicazione ha bisogno i migliori risultati possibili. Per impostazione predefinita, il dispositivo tenta di recuperare un `Position` usando metodi basati sulla rete. Impostando questa proprietà su `true` indica al framework di utilizzare metodi più accurati, come posizionamento satellitare. *(Boolean)*
-
-  * **timeout**: la lunghezza massima di tempo (in millisecondi) che è consentito per passare dalla chiamata a `navigator.geolocation.getCurrentPosition` o `geolocation.watchPosition` fino a quando il corrispondente `geolocationSuccess` callback viene eseguito. Se il `geolocationSuccess` callback non viene richiamato entro questo tempo, il `geolocationError` callback viene passata una `PositionError.TIMEOUT` codice di errore. (Si noti che, quando utilizzato in combinazione con `geolocati [...]
-
-  * **maximumAge**: accettare una posizione memorizzata nella cache in cui età è minore il tempo specificato in millisecondi. *(Numero)*
-
-### Stranezze Android
-
-Emulatori Android 2. x non restituiscono un risultato di geolocalizzazione a meno che l'opzione `enableHighAccuracy` è impostata su `true`.
-
-## navigator.geolocation.clearWatch
-
-Smettere di guardare per le modifiche alla posizione del dispositivo a cui fa riferimento il parametro `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parametri
-
-  * **watchID**: l'id del `watchPosition` intervallo per cancellare. (String)
-
-### Esempio
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Contiene le coordinate della `Position` e timestamp, creato da geolocation API.
-
-### Proprietà
-
-  * **CoOrds**: un insieme di coordinate geografiche. *(Coordinate)*
-
-  * **timestamp**: timestamp di creazione per `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-Un oggetto `Coordinates` è associato a un oggetto `Position` disponibile per le funzioni di callback in richieste per la posizione corrente. Contiene un insieme di proprietà che descrivono le coordinate geografiche di una posizione.
-
-### Proprietà
-
-  * **latitudine**: latitudine in gradi decimali. *(Numero)*
-
-  * **longitudine**: longitudine in gradi decimali. *(Numero)*
-
-  * **altitudine**: altezza della posizione in metri sopra l'ellissoide. *(Numero)*
-
-  * **accuratezza**: livello di accuratezza delle coordinate latitudine e longitudine in metri. *(Numero)*
-
-  * **altitudeAccuracy**: livello di accuratezza della coordinata altitudine in metri. *(Numero)*
-
-  * **rubrica**: senso di marcia, specificata in gradi in senso orario rispetto al vero nord di conteggio. *(Numero)*
-
-  * **velocità**: velocità attuale terra del dispositivo, specificato in metri al secondo. *(Numero)*
-
-### Amazon fuoco OS stranezze
-
-**altitudeAccuracy**: non supportato dai dispositivi Android, restituendo `null`.
-
-### Stranezze Android
-
-**altitudeAccuracy**: non supportato dai dispositivi Android, restituendo `null`.
-
-## PositionError
-
-L'oggetto `PositionError` viene passato alla funzione di callback `geolocationError` quando si verifica un errore con navigator.geolocation.
-
-### Proprietà
-
-  * **codice**: uno dei codici di errore predefiniti elencati di seguito.
-
-  * **messaggio**: messaggio di errore che descrive i dettagli dell'errore rilevato.
-
-### Costanti
-
-  * `PositionError.PERMISSION_DENIED` 
-      * Restituito quando gli utenti non consentono l'applicazione recuperare le informazioni di posizione. Questo è dipendente dalla piattaforma.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * Restituito quando il dispositivo è in grado di recuperare una posizione. In generale, questo significa che il dispositivo non è connesso a una rete o non può ottenere un fix satellitare.
-  * `PositionError.TIMEOUT` 
-      * Restituito quando il dispositivo è in grado di recuperare una posizione entro il tempo specificato dal `timeout` incluso `geolocationOptions` . Quando utilizzato con `navigator.geolocation.watchPosition` , questo errore potrebbe essere passato più volte per la `geolocationError` richiamata ogni `timeout` millisecondi.
\ No newline at end of file
diff --git a/doc/it/index.md b/doc/it/index.md
deleted file mode 100644
index 7ba7c5c..0000000
--- a/doc/it/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Questo plugin fornisce informazioni sulla posizione del dispositivo, come latitudine e longitudine. Comuni fonti di informazioni sulla posizione comprendono Global Positioning System (GPS) e posizione dedotta dai segnali di rete come indirizzo IP, indirizzi, RFID, WiFi e Bluetooth MAC e cellulare GSM/CDMA IDs. Non non c'è alcuna garanzia che l'API restituisce la posizione effettiva del dispositivo.
-
-Questa API è basata sulla [Specifica di W3C Geolocation API][1]e viene eseguito solo su dispositivi che non già forniscono un'implementazione.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**Avviso**: raccolta e utilizzo dei dati di geolocalizzazione solleva questioni di privacy importante. Politica sulla privacy dell'app dovrebbe discutere come app utilizza dati di geolocalizzazione, se è condiviso con altre parti e il livello di precisione dei dati (ad esempio, Cap grossolana, fine, livello, ecc.). Dati di geolocalizzazione sono generalmente considerati sensibili perché può rivelare la sorte dell'utente e, se conservati, la storia dei loro viaggi. Pertanto, oltre alla po [...]
-
-Questo plugin definisce un oggetto globale `navigator.geolocation` (per le piattaforme dove altrimenti è manca).
-
-Sebbene l'oggetto sia in ambito globale, funzionalità fornite da questo plugin non sono disponibili fino a dopo l'evento `deviceready`.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Installazione
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## Piattaforme supportate
-
-*   Amazon fuoco OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 e 8
-*   Windows 8
-
-## Metodi
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Oggetti (sola lettura)
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Restituisce la posizione corrente del dispositivo il callback di `geolocationSuccess` con un `Position` di oggetto come parametro. Se c'è un errore, `geolocationError` callback viene passato un oggetto `PositionError`.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parametri
-
-*   **geolocationSuccess**: il callback passato alla posizione corrente.
-
-*   **geolocationError**: *(facoltativo)* il callback che viene eseguito se si verifica un errore.
-
-*   **geolocationOptions**: *(opzionale)* le opzioni di geolocalizzazione.
-
-### Esempio
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Restituisce la posizione corrente del dispositivo quando viene rilevata una modifica della posizione. Quando il dispositivo recupera una nuova posizione, il callback `geolocationSuccess` esegue con un `Position` di oggetto come parametro. Se c'è un errore, `geolocationError` callback viene eseguito con un oggetto `PositionError` come parametro.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parametri
-
-*   **geolocationSuccess**: il callback passato alla posizione corrente.
-
-*   **geolocationError**: (facoltativo) il callback che viene eseguito se si verifica un errore.
-
-*   **geolocationOptions**: opzioni (opzionale) la geolocalizzazione.
-
-### Restituisce
-
-*   **Stringa**: restituisce un id di orologio che fa riferimento l'intervallo di posizione orologio. L'id dell'orologio deve essere usato con `navigator.geolocation.clearWatch` a smettere di guardare per cambiamenti di posizione.
-
-### Esempio
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parametri opzionali per personalizzare il recupero di geolocalizzazione `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opzioni
-
-*   **enableHighAccuracy**: fornisce un suggerimento che l'applicazione ha bisogno i migliori risultati possibili. Per impostazione predefinita, il dispositivo tenta di recuperare un `Position` usando metodi basati sulla rete. Impostando questa proprietà su `true` indica al framework di utilizzare metodi più accurati, come posizionamento satellitare. *(Boolean)*
-
-*   **timeout**: la lunghezza massima di tempo (in millisecondi) che è consentito per passare dalla chiamata a `navigator.geolocation.getCurrentPosition` o `geolocation.watchPosition` fino a quando il corrispondente `geolocationSuccess` callback viene eseguito. Se il `geolocationSuccess` callback non viene richiamato entro questo tempo, il `geolocationError` callback viene passata una `PositionError.TIMEOUT` codice di errore. (Si noti che, quando utilizzato in combinazione con `geolocati [...]
-
-*   **maximumAge**: accettare una posizione memorizzata nella cache in cui età è minore il tempo specificato in millisecondi. *(Numero)*
-
-### Stranezze Android
-
-Emulatori Android 2. x non restituiscono un risultato di geolocalizzazione a meno che l'opzione `enableHighAccuracy` è impostata su `true`.
-
-## navigator.geolocation.clearWatch
-
-Smettere di guardare per le modifiche alla posizione del dispositivo a cui fa riferimento il parametro `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parametri
-
-*   **watchID**: l'id del `watchPosition` intervallo per cancellare. (String)
-
-### Esempio
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Contiene le coordinate della `Position` e timestamp, creato da geolocation API.
-
-### Proprietà
-
-*   **CoOrds**: un insieme di coordinate geografiche. *(Coordinate)*
-
-*   **timestamp**: timestamp di creazione per `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-Un oggetto `Coordinates` è associato a un oggetto `Position` disponibile per le funzioni di callback in richieste per la posizione corrente. Contiene un insieme di proprietà che descrivono le coordinate geografiche di una posizione.
-
-### Proprietà
-
-*   **latitudine**: latitudine in gradi decimali. *(Numero)*
-
-*   **longitudine**: longitudine in gradi decimali. *(Numero)*
-
-*   **altitudine**: altezza della posizione in metri sopra l'ellissoide. *(Numero)*
-
-*   **accuratezza**: livello di accuratezza delle coordinate latitudine e longitudine in metri. *(Numero)*
-
-*   **altitudeAccuracy**: livello di accuratezza della coordinata altitudine in metri. *(Numero)*
-
-*   **rubrica**: senso di marcia, specificata in gradi in senso orario rispetto al vero nord di conteggio. *(Numero)*
-
-*   **velocità**: velocità attuale terra del dispositivo, specificato in metri al secondo. *(Numero)*
-
-### Amazon fuoco OS stranezze
-
-**altitudeAccuracy**: non supportato dai dispositivi Android, restituendo `null`.
-
-### Stranezze Android
-
-**altitudeAccuracy**: non supportato dai dispositivi Android, restituendo `null`.
-
-## PositionError
-
-L'oggetto `PositionError` viene passato alla funzione di callback `geolocationError` quando si verifica un errore con navigator.geolocation.
-
-### Proprietà
-
-*   **codice**: uno dei codici di errore predefiniti elencati di seguito.
-
-*   **messaggio**: messaggio di errore che descrive i dettagli dell'errore rilevato.
-
-### Costanti
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Restituito quando gli utenti non consentono l'applicazione recuperare le informazioni di posizione. Questo è dipendente dalla piattaforma.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Restituito quando il dispositivo è in grado di recuperare una posizione. In generale, questo significa che il dispositivo non è connesso a una rete o non può ottenere un fix satellitare.
-*   `PositionError.TIMEOUT` 
-    *   Restituito quando il dispositivo è in grado di recuperare una posizione entro il tempo specificato dal `timeout` incluso `geolocationOptions` . Quando utilizzato con `navigator.geolocation.watchPosition` , questo errore potrebbe essere passato più volte per la `geolocationError` richiamata ogni `timeout` millisecondi.
diff --git a/doc/ja/README.md b/doc/ja/README.md
deleted file mode 100644
index 59c5ed6..0000000
--- a/doc/ja/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-このプラグインは緯度や経度などのデバイスの場所に関する情報を提供します。 位置情報の共通のソースはグローバル ポジショニング システム (GPS) と IP アドレス、RFID、WiFi および Bluetooth の MAC アドレス、および GSM/cdma 方式携帯 Id などのネットワーク信号から推定される場所にもあります。 API は、デバイスの実際の場所を返すことの保証はありません。
-
-この API は[W3C 地理位置情報 API 仕様](http://dev.w3.org/geo/api/spec-source.html)に基づいており、既に実装を提供しないデバイス上のみで実行します。
-
-**警告**: 地理位置情報データの収集と利用を重要なプライバシーの問題を発生させます。 アプリのプライバシー ポリシーは他の当事者とデータ (たとえば、粗い、罰金、郵便番号レベル、等) の精度のレベルでは共有されているかどうか、アプリが地理位置情報データを使用する方法を議論すべきです。 地理位置情報データと一般に見なされる敏感なユーザーの居場所を開示することができますので、彼らの旅行の歴史保存されている場合。 したがって、アプリのプライバシー ポリシーに加えて、強くする必要があります (デバイス オペレーティング システムしない場合そう既に)、アプリケーションに地理位置情報データをアクセスする前に - 時間のお知らせを提供します。 その通知は、上記の (例えば、 **[ok]**を**おかげで**選択肢を�
 ��示する) によってユーザーのアクセス許可を取得するだけでなく、同じ情報を提供する必要があります。 詳細については、プライバシーに関するガイドを参照してください。
-
-このプラグインは、グローバル `navigator.geolocation` オブジェクト (プラットフォーム行方不明ですそれ以外の場合) を定義します。
-
-オブジェクトは、グローバル スコープでですが、このプラグインによって提供される機能は、`deviceready` イベントの後まで使用できません。
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## インストール
-
-これはコルドバ 5.0 + (現在安定 1.0.0) を必要とします。
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-コルドバの古いバージョンでも非推奨 id (古い 0.3.12 と) 経由でインストールできます。
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-また、レポの url 経由で直接インストールすることが可能だ (不安定)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## サポートされているプラットフォーム
-
-  * アマゾン火 OS
-  * アンドロイド
-  * ブラックベリー 10
-  * Firefox の OS
-  * iOS
-  * Tizen
-  * Windows Phone 7 と 8
-  * Windows 8
-  * Windows
-
-## メソッド
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## オブジェクト (読み取り専用)
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-`Position` オブジェクトを `geolocationSuccess` コールバックにパラメーターとしてデバイスの現在位置を返します。 エラーがある場合 `geolocationError` コールバックには、`PositionError` オブジェクトが渡されます。
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### パラメーター
-
-  * **geolocationSuccess**: 現在の位置を渡されるコールバック。
-
-  * **geolocationError**: *(省略可能)*エラーが発生した場合に実行されるコールバック。
-
-  * **geolocationOptions**: *(オプション)*地理位置情報のオプションです。
-
-### 例
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-位置の変更が検出された場合は、デバイスの現在位置を返します。 取得されると、デバイスの新しい場所、`geolocationSuccess` コールバック パラメーターとして `位置` オブジェクトを実行します。 エラーがある場合、`geolocationError` コールバック パラメーターとして `PositionError` オブジェクトで実行します。
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### パラメーター
-
-  * **geolocationSuccess**: 現在の位置を渡されるコールバック。
-
-  * **geolocationError**: (省略可能) エラーが発生した場合に実行されるコールバック。
-
-  * **geolocationOptions**: (オプション) 地理位置情報のオプションです。
-
-### 返します
-
-  * **文字列**: 時計の位置の間隔を参照する時計 id を返します。 時計 id で使用する必要があります `navigator.geolocation.clearWatch` 停止位置の変化を監視します。
-
-### 例
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-地理位置情報 `の位置` の検索をカスタマイズするための省略可能なパラメーター.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### オプション
-
-  * **enableHighAccuracy**: 最高の結果が、アプリケーションに必要があることのヒントを示します。 既定では、デバイスの取得を試みます、 `Position` ネットワーク ベースのメソッドを使用します。 このプロパティを設定する `true` 衛星測位などのより正確な方法を使用するためにフレームワークに指示します。 *(ブール値)*
-
-  * **タイムアウト**: への呼び出しから通過が許可される時間 (ミリ秒単位) の最大長 `navigator.geolocation.getCurrentPosition` または `geolocation.watchPosition` まで対応する、 `geolocationSuccess` コールバックを実行します。 場合は、 `geolocationSuccess` この時間内に、コールバックは呼び出されません、 `geolocationError` コールバックに渡される、 `PositionError.TIMEOUT` のエラー コード。 (と組み合わせて使用するときに注意してください `geolocation.watchPosition` の `geolocationError` 間隔でコールバックを呼び出すことができますすべて `timeout` ミリ秒 !)*(数)*
-
-  * **maximumAge**: 年齢があるミリ秒単位で指定した時間よりも大きくないキャッシュされた位置を受け入れます。*(数)*
-
-### Android の癖
-
-`enableHighAccuracy` オプションが `true` に設定しない限り、アンドロイド 2.x エミュレーター地理位置情報の結果を返さない.
-
-## navigator.geolocation.clearWatch
-
-`watchID` パラメーターによって参照される、デバイスの場所への変更を見て停止します。
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### パラメーター
-
-  * **watchID**: の id、 `watchPosition` をクリアする間隔。(文字列)
-
-### 例
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-`Position` 座標と地理位置情報 API で作成されたタイムスタンプが含まれます。
-
-### プロパティ
-
-  * **coords**: 地理的座標のセット。*(座標)*
-
-  * **timestamp**: 作成のタイムスタンプを `coords` 。*(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` のオブジェクトは現在の位置のための要求でコールバック関数に使用する `Position` オブジェクトにアタッチされます。 位置の地理座標を記述するプロパティのセットが含まれています。
-
-### プロパティ
-
-  * **latitude**: 10 度緯度。*(数)*
-
-  * **longitude**: 10 進度の経度。*(数)*
-
-  * **altitude**: 楕円体上のメートルの位置の高さ。*(数)*
-
-  * **accuracy**: メートルの緯度と経度座標の精度レベル。*(数)*
-
-  * **altitudeAccuracy**: メートルの高度座標の精度レベル。*(数)*
-
-  * **headingし**: 進行方向、カウント、真北から時計回りの角度で指定します。*(数)*
-
-  * **speed**: 毎秒メートルで指定されたデバイスの現在の対地速度。*(数)*
-
-### アマゾン火 OS 癖
-
-**altitudeAccuracy**: `null` を返すことの Android デバイスでサポートされていません.
-
-### Android の癖
-
-**altitudeAccuracy**: `null` を返すことの Android デバイスでサポートされていません.
-
-## PositionError
-
-`PositionError` オブジェクト navigator.geolocation でエラーが発生したときに `geolocationError` コールバック関数に渡されます。
-
-### プロパティ
-
-  * **コード**: 次のいずれかの定義済みのエラー コード。
-
-  * **message**: 発生したエラーの詳細を説明するエラー メッセージ。
-
-### 定数
-
-  * `PositionError.PERMISSION_DENIED` 
-      * ユーザーの位置情報を取得するアプリを許可しない場合に返されます。これはプラットフォームに依存します。
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * デバイスが、位置を取得することができます返されます。一般に、つまり、デバイスがネットワークに接続されていないまたは衛星の修正を得ることができません。
-  * `PositionError.TIMEOUT` 
-      * デバイスがで指定された時間内の位置を取得することができるときに返される、 `timeout` に含まれている `geolocationOptions` 。 使用すると `navigator.geolocation.watchPosition` 、このエラーが繰り返しに渡すことが、 `geolocationError` コールバックごと `timeout` (ミリ秒単位)。
\ No newline at end of file
diff --git a/doc/ja/index.md b/doc/ja/index.md
deleted file mode 100644
index 3a8b73a..0000000
--- a/doc/ja/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-このプラグインは緯度や経度などのデバイスの場所に関する情報を提供します。 位置情報の共通のソースはグローバル ポジショニング システム (GPS) と IP アドレス、RFID、WiFi および Bluetooth の MAC アドレス、および GSM/cdma 方式携帯 Id などのネットワーク信号から推定される場所にもあります。 API は、デバイスの実際の場所を返すことの保証はありません。
-
-この API は[W3C 地理位置情報 API 仕様][1]に基づいており、既に実装を提供しないデバイス上のみで実行します。
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**警告**: 地理位置情報データの収集と利用を重要なプライバシーの問題を発生させます。 アプリのプライバシー ポリシーは他の当事者とデータ (たとえば、粗い、罰金、郵便番号レベル、等) の精度のレベルでは共有されているかどうか、アプリが地理位置情報データを使用する方法を議論すべきです。 地理位置情報データと一般に見なされる敏感なユーザーの居場所を開示することができますので、彼らの旅行の歴史保存されている場合。 したがって、アプリのプライバシー ポリシーに加えて、強くする必要があります (デバイス オペレーティング システムしない場合そう既に)、アプリケーションに地理位置情報データをアクセスする前に - 時間のお知らせを提供します。 その通知は、上記の (例えば、 **[ok]**を**おかげで**選択肢を�
 ��示する) によってユーザーのアクセス許可を取得するだけでなく、同じ情報を提供する必要があります。 詳細については、プライバシーに関するガイドを参照してください。
-
-このプラグインは、グローバル `navigator.geolocation` オブジェクト (プラットフォーム行方不明ですそれ以外の場合) を定義します。
-
-オブジェクトは、グローバル スコープでですが、このプラグインによって提供される機能は、`deviceready` イベントの後まで使用できません。
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## インストール
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## サポートされているプラットフォーム
-
-*   アマゾン火 OS
-*   アンドロイド
-*   ブラックベリー 10
-*   Firefox の OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 と 8
-*   Windows 8
-
-## メソッド
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## オブジェクト (読み取り専用)
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-`Position` オブジェクトを `geolocationSuccess` コールバックにパラメーターとしてデバイスの現在位置を返します。 エラーがある場合 `geolocationError` コールバックには、`PositionError` オブジェクトが渡されます。
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### パラメーター
-
-*   **geolocationSuccess**: 現在の位置を渡されるコールバック。
-
-*   **geolocationError**: *(省略可能)*エラーが発生した場合に実行されるコールバック。
-
-*   **geolocationOptions**: *(オプション)*地理位置情報のオプションです。
-
-### 例
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-位置の変更が検出された場合は、デバイスの現在位置を返します。 取得されると、デバイスの新しい場所、`geolocationSuccess` コールバック パラメーターとして `位置` オブジェクトを実行します。 エラーがある場合、`geolocationError` コールバック パラメーターとして `PositionError` オブジェクトで実行します。
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### パラメーター
-
-*   **geolocationSuccess**: 現在の位置を渡されるコールバック。
-
-*   **geolocationError**: (省略可能) エラーが発生した場合に実行されるコールバック。
-
-*   **geolocationOptions**: (オプション) 地理位置情報のオプションです。
-
-### 返します
-
-*   **文字列**: 時計の位置の間隔を参照する時計 id を返します。 時計 id で使用する必要があります `navigator.geolocation.clearWatch` 停止位置の変化を監視します。
-
-### 例
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-地理位置情報 `の位置` の検索をカスタマイズするための省略可能なパラメーター.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### オプション
-
-*   **enableHighAccuracy**: 最高の結果が、アプリケーションに必要があることのヒントを示します。 既定では、デバイスの取得を試みます、 `Position` ネットワーク ベースのメソッドを使用します。 このプロパティを設定する `true` 衛星測位などのより正確な方法を使用するためにフレームワークに指示します。 *(ブール値)*
-
-*   **タイムアウト**: への呼び出しから通過が許可される時間 (ミリ秒単位) の最大長 `navigator.geolocation.getCurrentPosition` または `geolocation.watchPosition` まで対応する、 `geolocationSuccess` コールバックを実行します。 場合は、 `geolocationSuccess` この時間内に、コールバックは呼び出されません、 `geolocationError` コールバックに渡される、 `PositionError.TIMEOUT` のエラー コード。 (と組み合わせて使用するときに注意してください `geolocation.watchPosition` の `geolocationError` 間隔でコールバックを呼び出すことができますすべて `timeout` ミリ秒 !)*(数)*
-
-*   **maximumAge**: 年齢があるミリ秒単位で指定した時間よりも大きくないキャッシュされた位置を受け入れます。*(数)*
-
-### Android の癖
-
-`enableHighAccuracy` オプションが `true` に設定しない限り、アンドロイド 2.x エミュレーター地理位置情報の結果を返さない.
-
-## navigator.geolocation.clearWatch
-
-`watchID` パラメーターによって参照される、デバイスの場所への変更を見て停止します。
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### パラメーター
-
-*   **watchID**: の id、 `watchPosition` をクリアする間隔。(文字列)
-
-### 例
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-`Position` 座標と地理位置情報 API で作成されたタイムスタンプが含まれます。
-
-### プロパティ
-
-*   **coords**: 地理的座標のセット。*(座標)*
-
-*   **timestamp**: 作成のタイムスタンプを `coords` 。*(日)*
-
-## Coordinates
-
-`Coordinates` のオブジェクトは現在の位置のための要求でコールバック関数に使用する `Position` オブジェクトにアタッチされます。 位置の地理座標を記述するプロパティのセットが含まれています。
-
-### プロパティ
-
-*   **latitude**: 10 度緯度。*(数)*
-
-*   **longitude**: 10 進度の経度。*(数)*
-
-*   **altitude**: 楕円体上のメートルの位置の高さ。*(数)*
-
-*   **accuracy**: メートルの緯度と経度座標の精度レベル。*(数)*
-
-*   **altitudeAccuracy**: メートルの高度座標の精度レベル。*(数)*
-
-*   **headingし**: 進行方向、カウント、真北から時計回りの角度で指定します。*(数)*
-
-*   **speed**: 毎秒メートルで指定されたデバイスの現在の対地速度。*(数)*
-
-### アマゾン火 OS 癖
-
-**altitudeAccuracy**: `null` を返すことの Android デバイスでサポートされていません.
-
-### Android の癖
-
-**altitudeAccuracy**: `null` を返すことの Android デバイスでサポートされていません.
-
-## PositionError
-
-`PositionError` オブジェクト navigator.geolocation でエラーが発生したときに `geolocationError` コールバック関数に渡されます。
-
-### プロパティ
-
-*   **code**: 次のいずれかの定義済みのエラー コード。
-
-*   **message**: 発生したエラーの詳細を説明するエラー メッセージ。
-
-### 定数
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   ユーザーの位置情報を取得するアプリを許可しない場合に返されます。これはプラットフォームに依存します。
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   デバイスが、位置を取得することができます返されます。一般に、つまり、デバイスがネットワークに接続されていないまたは衛星の修正を得ることができません。
-*   `PositionError.TIMEOUT` 
-    *   デバイスがで指定された時間内の位置を取得することができるときに返される、 `timeout` に含まれている `geolocationOptions` 。 使用すると `navigator.geolocation.watchPosition` 、このエラーが繰り返しに渡すことが、 `geolocationError` コールバックごと `timeout` (ミリ秒単位)。
diff --git a/doc/ko/README.md b/doc/ko/README.md
deleted file mode 100644
index dab5005..0000000
--- a/doc/ko/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-이 플러그인 위도 및 경도 등의 소자의 위치에 대 한 정보를 제공합니다. 일반적인 위치 정보 등 글로벌 포지셔닝 시스템 (GPS) 및 위치와 같은 IP 주소, RFID, WiFi 및 블루투스 MAC 주소 및 GSM/CDMA 셀 Id 네트워크 신호에서 유추 합니다. 보장은 없다는 API 소자의 실제 위치를 반환 합니다.
-
-이 API [W3C Geolocation API 사양](http://dev.w3.org/geo/api/spec-source.html)에 기반 하 고 이미 구현을 제공 하지 않는 장치에만 실행 됩니다.
-
-**경고**: 중요 한 개인 정보 보호 문제를 제기 하는 위치 정보 데이터의 수집 및 사용 합니다. 응용 프로그램의 개인 정보 보호 정책 다른 당사자와의 데이터 (예를 들어, 굵고, 괜 찮 아 요, 우편 번호, 등)의 정밀도 수준을 공유 여부를 app 지리적 데이터를 사용 하는 방법 토론 해야 한다. 그것은 사용자의 행방을 밝힐 수 있기 때문에 및 저장, 그들의 여행 역사 지리적 위치 데이터는 일반적으로 민감한 간주. 따라서, 애플 리 케이 션의 개인 정보 보호 정책 뿐만 아니라 강력 하 게 좋습니다 (해당 되는 경우 장치 운영 체제 이렇게 이미 하지 않는) 응용 프로그램 위치 정보 데이터에 액세스 하기 전에 그냥--시간 통지. 그 통지는 (예를 들어, **확인** 및 **아니오**선택 제시) 하 여 사용자의 허가 취득 뿐만 아니라, 위에서 언급 된 동일한 정보를 제공 해�
 � 합니다. 자세한 내용은 개인 정보 보호 가이드를 참조 하십시오.
-
-이 플러그인 (플랫폼은 그렇지 않으면 누락 된)에 대 한 전역 `navigator.geolocation` 개체를 정의 합니다.
-
-개체가 전역 범위에 있지만,이 플러그인에 의해 제공 되는 기능 하지 사용할 수 있습니다까지 `deviceready` 이벤트 후.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## 설치
-
-코르도바 5.0 + (현재 안정적인 1.0.0) 필요
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-코르도바의 이전 버전 사용 되지 않는 id (부실 0.3.12)를 통해 설치할 수 있습니다.
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-그것은 또한 배상 계약 url을 통해 직접 설치할 수 (불안정)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## 지원 되는 플랫폼
-
-  * 아마존 화재 운영 체제
-  * 안 드 로이드
-  * 블랙베리 10
-  * Firefox 운영 체제
-  * iOS
-  * Tizen
-  * Windows Phone 7과 8
-  * 윈도우 8
-  * 윈도우
-
-## 메서드
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## (읽기 전용) 개체
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-매개 변수 `Position` 개체와 `geolocationSuccess`를 디바이스의 현재 위치를 반환합니다. 오류가 있는 경우에, `geolocationError` 콜백 `PositionError` 개체에 전달 됩니다.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### 매개 변수
-
-  * **geolocationSuccess**: 현재의 위치를 전달 되는 콜백.
-
-  * **geolocationError**: *(선택 사항)* 오류가 발생 하면 실행 되는 콜백.
-
-  * **geolocationOptions**: *(선택 사항)* 위치 옵션.
-
-### 예를 들어
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-위치에 변화를 탐지할 때 소자의 현재 위치를 반환 합니다. 장치 새 위치를 검색 하는 경우 `geolocationSuccess` 콜백 매개 변수로 개체를 `Position`으로 실행 합니다. 오류가 있는 경우에, `geolocationError` 콜백 매개 변수로 `PositionError` 개체를 실행 합니다.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### 매개 변수
-
-  * **geolocationSuccess**: 현재의 위치를 전달 되는 콜백.
-
-  * **geolocationError**: (선택 사항) 오류가 발생 하면 실행 되는 콜백.
-
-  * **geolocationOptions**: (선택 사항)는 지리적 위치 옵션.
-
-### 반환
-
-  * **문자열**: 시계 위치 간격을 참조 하는 시계 id를 반환 합니다. 시계 id와 함께 사용 해야 합니다 `navigator.geolocation.clearWatch` 위치 변화에 대 한 보고 중지.
-
-### 예를 들어
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-지리적 `Position` 검색을 사용자 지정 하는 선택적 매개 변수.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### 옵션
-
-  * **enableHighAccuracy**: 힌트는 응용 프로그램에 필요한 최상의 결과 제공 합니다. 기본적으로 장치를 검색 하려고 한 `Position` 네트워크 기반 방법을 사용 하 여. 이 속성을 설정 `true` 위성 위치 등 보다 정확한 방법을 사용 하 여 프레임 워크. *(부울)*
-
-  * **시간 제한**: 최대 시간의 길이 (밀리초) 호출에서 전달할 수 있는 `navigator.geolocation.getCurrentPosition` 또는 `geolocation.watchPosition` 해당까지 `geolocationSuccess` 콜백 실행. 경우는 `geolocationSuccess` 콜백이이 시간 내에서 호출 되지 않습니다는 `geolocationError` 콜백 전달 되는 `PositionError.TIMEOUT` 오류 코드. (함께 사용 하는 경우 `geolocation.watchPosition` , `geolocationError` 콜백 간격에서 호출 될 수 있는 모든 `timeout` 밀리초!) *(수)*
-
-  * **maximumAge**: 밀리초 단위로 지정 된 시간 보다 더 큰 되는 캐시 위치를 수락 합니다. *(수)*
-
-### 안 드 로이드 단점
-
-`EnableHighAccuracy` 옵션을 `true`로 설정 되어 있지 않으면 안 드 로이드 2.x 에뮬레이터 위치 결과 반환 하지 않는.
-
-## navigator.geolocation.clearWatch
-
-`watchID` 매개 변수에서 참조 하는 소자의 위치 변경에 대 한 보고 중지 합니다.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### 매개 변수
-
-  * **watchID**: id는 `watchPosition` 간격을 취소 합니다. (문자열)
-
-### 예를 들어
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-`Position` 좌표 및 지리적 위치 API에 의해 생성 하는 타임 스탬프를 포함 합니다.
-
-### 속성
-
-  * **coords**: 지리적 좌표 집합. *(좌표)*
-
-  * **timestamp**: 생성 타임 스탬프에 대 한 `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` 개체를 현재 위치에 대 한 요청에 콜백 함수를 사용할 수 있는 `Position` 개체에 첨부 됩니다. 그것은 위치의 지리적 좌표를 설명 하는 속성 집합이 포함 되어 있습니다.
-
-### 속성
-
-  * **latitude**: 소수점도 위도. *(수)*
-
-  * **longitude**: 경도 10 진수 각도. *(수)*
-
-  * **altitude**: 높이의 타원 면 미터에 위치. *(수)*
-
-  * **정확도**: 정확도 레벨 미터에 위도 및 경도 좌표. *(수)*
-
-  * **altitudeAccuracy**: 미터에 고도 좌표의 정확도 수준. *(수)*
-
-  * **heading**: 여행, 진 북을 기준으로 시계 방향으로 세도에 지정 된 방향으로. *(수)*
-
-  * **speed**: 초당 미터에 지정 된 디바이스의 현재 땅 속도. *(수)*
-
-### 아마존 화재 OS 단점
-
-**altitudeAccuracy**: `null` 반환 안 드 로이드 장치에 의해 지원 되지 않습니다.
-
-### 안 드 로이드 단점
-
-**altitudeAccuracy**: `null` 반환 안 드 로이드 장치에 의해 지원 되지 않습니다.
-
-## PositionError
-
-`PositionError` 개체는 navigator.geolocation와 함께 오류가 발생 하면 `geolocationError` 콜백 함수에 전달 됩니다.
-
-### 속성
-
-  * **코드**: 미리 정의 된 오류 코드 중 하나가 아래에 나열 된.
-
-  * **message**: 발생 한 오류 세부 정보를 설명 하는 오류 메시지.
-
-### 상수
-
-  * `PositionError.PERMISSION_DENIED` 
-      * 사용자가 위치 정보를 검색 애플 리 케이 션을 허용 하지 않는 경우 반환 됩니다. 이 플랫폼에 따라 달라 집니다.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * 장치 위치를 검색할 수 없을 때 반환 합니다. 일반적으로,이 장치는 네트워크에 연결 되어 있지 않은 또는 위성 수정 프로그램을 얻을 수 없습니다 의미 합니다.
-  * `PositionError.TIMEOUT` 
-      * 장치에 지정 된 시간 내에서 위치를 검색할 수 없는 경우 반환 되는 `timeout` 에 포함 된 `geolocationOptions` . 함께 사용 될 때 `navigator.geolocation.watchPosition` ,이 오류를 반복적으로 전달 될 수는 `geolocationError` 콜백 매 `timeout` 밀리초.
\ No newline at end of file
diff --git a/doc/ko/index.md b/doc/ko/index.md
deleted file mode 100644
index 19f47c7..0000000
--- a/doc/ko/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-이 플러그인 위도 및 경도 등의 소자의 위치에 대 한 정보를 제공합니다. 일반적인 위치 정보 등 글로벌 포지셔닝 시스템 (GPS) 및 위치와 같은 IP 주소, RFID, WiFi 및 블루투스 MAC 주소 및 GSM/CDMA 셀 Id 네트워크 신호에서 유추 합니다. 보장은 없다는 API 소자의 실제 위치를 반환 합니다.
-
-이 API [W3C Geolocation API 사양][1]에 기반 하 고 이미 구현을 제공 하지 않는 장치에만 실행 됩니다.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**경고**: 중요 한 개인 정보 보호 문제를 제기 하는 위치 정보 데이터의 수집 및 사용 합니다. 응용 프로그램의 개인 정보 보호 정책 다른 당사자와의 데이터 (예를 들어, 굵고, 괜 찮 아 요, 우편 번호, 등)의 정밀도 수준을 공유 여부를 app 지리적 데이터를 사용 하는 방법 토론 해야 한다. 그것은 사용자의 행방을 밝힐 수 있기 때문에 및 저장, 그들의 여행 역사 지리적 위치 데이터는 일반적으로 민감한 간주. 따라서, 애플 리 케이 션의 개인 정보 보호 정책 뿐만 아니라 강력 하 게 좋습니다 (해당 되는 경우 장치 운영 체제 이렇게 이미 하지 않는) 응용 프로그램 위치 정보 데이터에 액세스 하기 전에 그냥--시간 통지. 그 통지는 (예를 들어, **확인** 및 **아니오**선택 제시) 하 여 사용자의 허가 취득 뿐만 아니라, 위에서 언급 된 동일한 정보를 제공 해�
 � 합니다. 자세한 내용은 개인 정보 보호 가이드를 참조 하십시오.
-
-이 플러그인 (플랫폼은 그렇지 않으면 누락 된)에 대 한 전역 `navigator.geolocation` 개체를 정의 합니다.
-
-개체가 전역 범위에 있지만,이 플러그인에 의해 제공 되는 기능 하지 사용할 수 있습니다까지 `deviceready` 이벤트 후.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## 설치
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## 지원 되는 플랫폼
-
-*   아마존 화재 운영 체제
-*   안 드 로이드
-*   블랙베리 10
-*   Firefox 운영 체제
-*   iOS
-*   Tizen
-*   Windows Phone 7과 8
-*   윈도우 8
-
-## 메서드
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## (읽기 전용) 개체
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-매개 변수 `Position` 개체와 `geolocationSuccess`를 디바이스의 현재 위치를 반환합니다. 오류가 있는 경우에, `geolocationError` 콜백 `PositionError` 개체에 전달 됩니다.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### 매개 변수
-
-*   **geolocationSuccess**: 현재의 위치를 전달 되는 콜백.
-
-*   **geolocationError**: *(선택 사항)* 오류가 발생 하면 실행 되는 콜백.
-
-*   **geolocationOptions**: *(선택 사항)* 위치 옵션.
-
-### 예를 들어
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-위치에 변화를 탐지할 때 소자의 현재 위치를 반환 합니다. 장치 새 위치를 검색 하는 경우 `geolocationSuccess` 콜백 매개 변수로 개체를 `Position`으로 실행 합니다. 오류가 있는 경우에, `geolocationError` 콜백 매개 변수로 `PositionError` 개체를 실행 합니다.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### 매개 변수
-
-*   **geolocationSuccess**: 현재의 위치를 전달 되는 콜백.
-
-*   **geolocationError**: (선택 사항) 오류가 발생 하면 실행 되는 콜백.
-
-*   **geolocationOptions**: (선택 사항)는 지리적 위치 옵션.
-
-### 반환
-
-*   **문자열**: 시계 위치 간격을 참조 하는 시계 id를 반환 합니다. 시계 id와 함께 사용 해야 합니다 `navigator.geolocation.clearWatch` 위치 변화에 대 한 보고 중지.
-
-### 예를 들어
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-지리적 `Position` 검색을 사용자 지정 하는 선택적 매개 변수.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### 옵션
-
-*   **enableHighAccuracy**: 힌트는 응용 프로그램에 필요한 최상의 결과 제공 합니다. 기본적으로 장치를 검색 하려고 한 `Position` 네트워크 기반 방법을 사용 하 여. 이 속성을 설정 `true` 위성 위치 등 보다 정확한 방법을 사용 하 여 프레임 워크. *(부울)*
-
-*   **시간 제한**: 최대 시간의 길이 (밀리초) 호출에서 전달할 수 있는 `navigator.geolocation.getCurrentPosition` 또는 `geolocation.watchPosition` 해당까지 `geolocationSuccess` 콜백 실행. 경우는 `geolocationSuccess` 콜백이이 시간 내에서 호출 되지 않습니다는 `geolocationError` 콜백 전달 되는 `PositionError.TIMEOUT` 오류 코드. (함께 사용 하는 경우 `geolocation.watchPosition` , `geolocationError` 콜백 간격에서 호출 될 수 있는 모든 `timeout` 밀리초!) *(수)*
-
-*   **maximumAge**: 밀리초 단위로 지정 된 시간 보다 더 큰 되는 캐시 위치를 수락 합니다. *(수)*
-
-### 안 드 로이드 단점
-
-`EnableHighAccuracy` 옵션을 `true`로 설정 되어 있지 않으면 안 드 로이드 2.x 에뮬레이터 위치 결과 반환 하지 않는.
-
-## navigator.geolocation.clearWatch
-
-`watchID` 매개 변수에서 참조 하는 소자의 위치 변경에 대 한 보고 중지 합니다.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### 매개 변수
-
-*   **watchID**: id는 `watchPosition` 간격을 취소 합니다. (문자열)
-
-### 예를 들어
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-`Position` 좌표 및 지리적 위치 API에 의해 생성 하는 타임 스탬프를 포함 합니다.
-
-### 속성
-
-*   **coords**: 지리적 좌표 집합. *(좌표)*
-
-*   **timestamp**: 생성 타임 스탬프에 대 한 `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` 개체를 현재 위치에 대 한 요청에 콜백 함수를 사용할 수 있는 `Position` 개체에 첨부 됩니다. 그것은 위치의 지리적 좌표를 설명 하는 속성 집합이 포함 되어 있습니다.
-
-### 속성
-
-*   **latitude**: 소수점도 위도. *(수)*
-
-*   **longitude**: 경도 10 진수 각도. *(수)*
-
-*   **altitude**: 높이의 타원 면 미터에 위치. *(수)*
-
-*   **정확도**: 정확도 레벨 미터에 위도 및 경도 좌표. *(수)*
-
-*   **altitudeAccuracy**: 미터에 고도 좌표의 정확도 수준. *(수)*
-
-*   **heading**: 여행, 진 북을 기준으로 시계 방향으로 세도에 지정 된 방향으로. *(수)*
-
-*   **speed**: 초당 미터에 지정 된 디바이스의 현재 땅 속도. *(수)*
-
-### 아마존 화재 OS 단점
-
-**altitudeAccuracy**: `null` 반환 안 드 로이드 장치에 의해 지원 되지 않습니다.
-
-### 안 드 로이드 단점
-
-**altitudeAccuracy**: `null` 반환 안 드 로이드 장치에 의해 지원 되지 않습니다.
-
-## PositionError
-
-`PositionError` 개체는 navigator.geolocation와 함께 오류가 발생 하면 `geolocationError` 콜백 함수에 전달 됩니다.
-
-### 속성
-
-*   **code**: 미리 정의 된 오류 코드 중 하나가 아래에 나열 된.
-
-*   **message**: 발생 한 오류 세부 정보를 설명 하는 오류 메시지.
-
-### 상수
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   사용자가 위치 정보를 검색 애플 리 케이 션을 허용 하지 않는 경우 반환 됩니다. 이 플랫폼에 따라 달라 집니다.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   장치 위치를 검색할 수 없을 때 반환 합니다. 일반적으로,이 장치는 네트워크에 연결 되어 있지 않은 또는 위성 수정 프로그램을 얻을 수 없습니다 의미 합니다.
-*   `PositionError.TIMEOUT` 
-    *   장치에 지정 된 시간 내에서 위치를 검색할 수 없는 경우 반환 되는 `timeout` 에 포함 된 `geolocationOptions` . 함께 사용 될 때 `navigator.geolocation.watchPosition` ,이 오류를 반복적으로 전달 될 수는 `geolocationError` 콜백 매 `timeout` 밀리초.
diff --git a/doc/pl/README.md b/doc/pl/README.md
deleted file mode 100644
index 0ef35c4..0000000
--- a/doc/pl/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-Ten plugin zawiera informacje o lokalizacji urządzenia, takie jak szerokość i długość geograficzną. Najczęstsze źródła informacji o lokalizacji obejmują Global Positioning System (GPS) i lokalizacji wywnioskować z sieci sygnały, takie jak adres IP, RFID, WiFi i Bluetooth MAC adresy, a komórki GSM/CDMA identyfikatorów. Nie ma żadnej gwarancji, że API zwraca rzeczywistej lokalizacji urządzenia.
-
-Ten interfejs API jest oparty na [Specyfikacji W3C Geolocation API](http://dev.w3.org/geo/api/spec-source.html)i tylko wykonuje na urządzeniach, które już nie zapewniają implementacja.
-
-**Ostrzeżenie**: zbierania i wykorzystywania danych geolokacyjnych podnosi kwestie prywatności ważne. Polityka prywatności danej aplikacji należy omówić, jak aplikacja używa danych, czy jest on dzielony z innych stron i poziom dokładności danych (na przykład, gruba, porządku, kod pocztowy poziom, itp.). Danych geolokacyjnych ogólnie uznaje wrażliwych, bo to może ujawnić pobytu użytkownika i, jeśli przechowywane, historii ich podróży. W związku z tym oprócz aplikacji prywatności, zdecydow [...]
-
-Ten plugin definiuje obiekt globalny `navigator.geolocation` (dla platformy gdzie to inaczej brak).
-
-Mimo, że obiekt jest w globalnym zasięgu, funkcji oferowanych przez ten plugin nie są dostępne dopiero po turnieju `deviceready`.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Instalacja
-
-Wymaga to cordova 5.0 + (bieżącej stabilnej 1.0.0)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-Starsze wersje cordova nadal można zainstalować za pomocą niezalecany identyfikator (starych 0.3.12)
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-Jest również możliwość instalacji za pośrednictwem repo url bezpośrednio (niestabilny)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## Obsługiwane platformy
-
-  * Amazon Fire OS
-  * Android
-  * BlackBerry 10
-  * Firefox OS
-  * iOS
-  * Tizen
-  * Windows Phone 7 i 8
-  * Windows 8
-  * Windows
-
-## Metody
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## Obiekty (tylko do odczytu)
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Zwraca bieżącą pozycję urządzenia do `geolocationSuccess` wywołanie zwrotne z `Position` obiektu jako parametr. Jeśli występuje błąd, wywołania zwrotnego `geolocationError` jest przekazywany obiekt `PositionError`.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parametry
-
-  * **geolocationSuccess**: wywołania zwrotnego, który jest przekazywany aktualnej pozycji.
-
-  * **geolocationError**: *(opcjonalne)* wywołania zwrotnego, która wykonuje w przypadku wystąpienia błędu.
-
-  * **geolocationOptions**: *(opcjonalne)* opcji geolokalizacji.
-
-### Przykład
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Zwraca bieżącą pozycję urządzenia po wykryciu zmiany pozycji. Gdy urządzenie pobiera nową lokalizację, wywołania zwrotnego `geolocationSuccess` wykonuje się z `Position` obiektu jako parametr. Jeśli występuje błąd, wywołania zwrotnego `geolocationError` wykonuje się z obiektem `PositionError` jako parametr.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parametry
-
-  * **geolocationSuccess**: wywołania zwrotnego, który jest przekazywany aktualnej pozycji.
-
-  * **geolocationError**: (opcjonalne) wywołania zwrotnego, która wykonuje w przypadku wystąpienia błędu.
-
-  * **geolocationOptions**: (opcjonalne) geolocation opcje.
-
-### Zwraca
-
-  * **Napis**: zwraca identyfikator zegarek, który odwołuje się oglądać pozycji interwał. Identyfikator zegarek powinny być używane z `navigator.geolocation.clearWatch` Aby przestać oglądać do zmiany pozycji.
-
-### Przykład
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parametry opcjonalne dostosować pobierania geolocation `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opcje
-
-  * **enableHighAccuracy**: stanowi wskazówkę, że aplikacja musi możliwie najlepszych rezultatów. Domyślnie, urządzenie próbuje pobrać `Position` przy użyciu metody oparte na sieci. Ustawienie tej właściwości na `true` mówi ramach dokładniejszych metod, takich jak pozycjonowanie satelitarne. *(Wartość logiczna)*
-
-  * **Limit czasu**: maksymalna długość czas (w milisekundach), który może przekazać wywołanie `navigator.geolocation.getCurrentPosition` lub `geolocation.watchPosition` do odpowiednich `geolocationSuccess` wykonuje wywołanie zwrotne. Jeśli `geolocationSuccess` wywołania zwrotnego nie jest wywoływany w tej chwili, `geolocationError` wywołania zwrotnego jest przekazywany `PositionError.TIMEOUT` kod błędu. (Należy zauważyć, że w połączeniu z `geolocation.watchPosition` , `geolocationError` [...]
-
-  * **maximumAge**: przyjąć buforowane pozycji, w których wiek jest nie większa niż określony czas w milisekundach. *(Liczba)*
-
-### Dziwactwa Androida
-
-Emulatory Androida 2.x nie zwracają wynik geolocation, chyba że opcja `enableHighAccuracy` jest ustawiona na `wartość true`.
-
-## navigator.geolocation.clearWatch
-
-Przestać oglądać zmiany położenia urządzenia określany przez parametr `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parametry
-
-  * **watchID**: identyfikator `watchPosition` Interwał jasne. (String)
-
-### Przykład
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Zawiera współrzędne `Position` i sygnatury czasowej, stworzony przez geolocation API.
-
-### Właściwości
-
-  * **coords**: zestaw współrzędnych geograficznych. *(Współrzędne)*
-
-  * **timestamp**: Sygnatura czasowa utworzenia dla `coords` . *(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` obiektu jest dołączone do `Position` obiektu, który jest dostępny dla funkcji wywołania zwrotnego w prośby o aktualnej pozycji. Zawiera zestaw właściwości, które opisują geograficzne współrzędne pozycji.
-
-### Właściwości
-
-  * **szerokość geograficzna**: Latitude w stopniach dziesiętnych. *(Liczba)*
-
-  * **długość geograficzna**: długość geograficzna w stopniach dziesiętnych. *(Liczba)*
-
-  * **wysokość**: wysokość pozycji metrów nad elipsoidalny. *(Liczba)*
-
-  * **dokładność**: poziom dokładności współrzędnych szerokości i długości geograficznej w metrach. *(Liczba)*
-
-  * **altitudeAccuracy**: poziom dokładności Współrzędna wysokość w metrach. *(Liczba)*
-
-  * **pozycja**: kierunek podróży, określonego w stopni licząc ruchu wskazówek zegara względem północy rzeczywistej. *(Liczba)*
-
-  * **prędkość**: Aktualna prędkość ziemi urządzenia, określone w metrach na sekundę. *(Liczba)*
-
-### Amazon ogień OS dziwactwa
-
-**altitudeAccuracy**: nie obsługiwane przez Android urządzeń, zwracanie `wartości null`.
-
-### Dziwactwa Androida
-
-**altitudeAccuracy**: nie obsługiwane przez Android urządzeń, zwracanie `wartości null`.
-
-## PositionError
-
-`PositionError` obiekt jest przekazywany do funkcji wywołania zwrotnego `geolocationError`, gdy wystąpi błąd z navigator.geolocation.
-
-### Właściwości
-
-  * **Kod**: jeden z kodów błędów wstępnie zdefiniowanych poniżej.
-
-  * **wiadomość**: komunikat o błędzie, opisując szczegóły wystąpił błąd.
-
-### Stałe
-
-  * `PositionError.PERMISSION_DENIED` 
-      * Zwracane, gdy użytkownicy nie zezwalają aplikacji do pobierania informacji o pozycji. Jest to zależne od platformy.
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * Zwracane, gdy urządzenie jest w stanie pobrać pozycji. Ogólnie rzecz biorąc oznacza to urządzenie nie jest podłączone do sieci lub nie może uzyskać satelita utrwalić.
-  * `PositionError.TIMEOUT` 
-      * Zwracane, gdy urządzenie jest w stanie pobrać pozycji w czasie określonym przez `timeout` w `geolocationOptions` . Gdy używana z `navigator.geolocation.watchPosition` , ten błąd może być wielokrotnie przekazywane do `geolocationError` zwrotne co `timeout` milisekund.
\ No newline at end of file
diff --git a/doc/pl/index.md b/doc/pl/index.md
deleted file mode 100644
index 6d08320..0000000
--- a/doc/pl/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Ten plugin zawiera informacje o lokalizacji urządzenia, takie jak szerokość i długość geograficzną. Najczęstsze źródła informacji o lokalizacji obejmują Global Positioning System (GPS) i lokalizacji wywnioskować z sieci sygnały, takie jak adres IP, RFID, WiFi i Bluetooth MAC adresy, a komórki GSM/CDMA identyfikatorów. Nie ma żadnej gwarancji, że API zwraca rzeczywistej lokalizacji urządzenia.
-
-Ten interfejs API jest oparty na [Specyfikacji W3C Geolocation API][1]i tylko wykonuje na urządzeniach, które już nie zapewniają implementacja.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**Ostrzeżenie**: zbierania i wykorzystywania danych geolokacyjnych podnosi kwestie prywatności ważne. Polityka prywatności danej aplikacji należy omówić, jak aplikacja używa danych, czy jest on dzielony z innych stron i poziom dokładności danych (na przykład, gruba, porządku, kod pocztowy poziom, itp.). Danych geolokacyjnych ogólnie uznaje wrażliwych, bo to może ujawnić pobytu użytkownika i, jeśli przechowywane, historii ich podróży. W związku z tym oprócz aplikacji prywatności, zdecydow [...]
-
-Ten plugin definiuje obiekt globalny `navigator.geolocation` (dla platformy gdzie to inaczej brak).
-
-Mimo, że obiekt jest w globalnym zasięgu, funkcji oferowanych przez ten plugin nie są dostępne dopiero po turnieju `deviceready`.
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## Instalacja
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## Obsługiwane platformy
-
-*   Amazon Fire OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 i 8
-*   Windows 8
-
-## Metody
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Obiekty (tylko do odczytu)
-
-*   Stanowisko
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Zwraca bieżącą pozycję urządzenia do `geolocationSuccess` wywołanie zwrotne z `Position` obiektu jako parametr. Jeśli występuje błąd, wywołania zwrotnego `geolocationError` jest przekazywany obiekt `PositionError`.
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### Parametry
-
-*   **geolocationSuccess**: wywołania zwrotnego, który jest przekazywany aktualnej pozycji.
-
-*   **geolocationError**: *(opcjonalne)* wywołania zwrotnego, która wykonuje w przypadku wystąpienia błędu.
-
-*   **geolocationOptions**: *(opcjonalne)* opcji geolokalizacji.
-
-### Przykład
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Zwraca bieżącą pozycję urządzenia po wykryciu zmiany pozycji. Gdy urządzenie pobiera nową lokalizację, wywołania zwrotnego `geolocationSuccess` wykonuje się z `Position` obiektu jako parametr. Jeśli występuje błąd, wywołania zwrotnego `geolocationError` wykonuje się z obiektem `PositionError` jako parametr.
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### Parametry
-
-*   **geolocationSuccess**: wywołania zwrotnego, który jest przekazywany aktualnej pozycji.
-
-*   **geolocationError**: (opcjonalne) wywołania zwrotnego, która wykonuje w przypadku wystąpienia błędu.
-
-*   **geolocationOptions**: (opcjonalne) geolocation opcje.
-
-### Zwraca
-
-*   **Napis**: zwraca identyfikator zegarek, który odwołuje się oglądać pozycji interwał. Identyfikator zegarek powinny być używane z `navigator.geolocation.clearWatch` Aby przestać oglądać do zmiany pozycji.
-
-### Przykład
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-Parametry opcjonalne dostosować pobierania geolocation `Position`.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### Opcje
-
-*   **enableHighAccuracy**: stanowi wskazówkę, że aplikacja musi możliwie najlepszych rezultatów. Domyślnie, urządzenie próbuje pobrać `Position` przy użyciu metody oparte na sieci. Ustawienie tej właściwości na `true` mówi ramach dokładniejszych metod, takich jak pozycjonowanie satelitarne. *(Wartość logiczna)*
-
-*   **Limit czasu**: maksymalna długość czas (w milisekundach), który może przekazać wywołanie `navigator.geolocation.getCurrentPosition` lub `geolocation.watchPosition` do odpowiednich `geolocationSuccess` wykonuje wywołanie zwrotne. Jeśli `geolocationSuccess` wywołania zwrotnego nie jest wywoływany w tej chwili, `geolocationError` wywołania zwrotnego jest przekazywany `PositionError.TIMEOUT` kod błędu. (Należy zauważyć, że w połączeniu z `geolocation.watchPosition` , `geolocationError` [...]
-
-*   **maximumAge**: przyjąć buforowane pozycji, w których wiek jest nie większa niż określony czas w milisekundach. *(Liczba)*
-
-### Dziwactwa Androida
-
-Emulatory Androida 2.x nie zwracają wynik geolocation, chyba że opcja `enableHighAccuracy` jest ustawiona na `wartość true`.
-
-## navigator.geolocation.clearWatch
-
-Przestać oglądać zmiany położenia urządzenia określany przez parametr `watchID`.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Parametry
-
-*   **watchID**: identyfikator `watchPosition` Interwał jasne. (String)
-
-### Przykład
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Stanowisko
-
-Zawiera współrzędne `Position` i sygnatury czasowej, stworzony przez geolocation API.
-
-### Właściwości
-
-*   **coords**: zestaw współrzędnych geograficznych. *(Współrzędne)*
-
-*   **sygnatura czasowa**: Sygnatura czasowa utworzenia dla `coords` . *(Data)*
-
-## Coordinates
-
-`Coordinates` obiektu jest dołączone do `Position` obiektu, który jest dostępny dla funkcji wywołania zwrotnego w prośby o aktualnej pozycji. Zawiera zestaw właściwości, które opisują geograficzne współrzędne pozycji.
-
-### Właściwości
-
-*   **szerokość geograficzna**: Latitude w stopniach dziesiętnych. *(Liczba)*
-
-*   **długość geograficzna**: długość geograficzna w stopniach dziesiętnych. *(Liczba)*
-
-*   **wysokość**: wysokość pozycji metrów nad elipsoidalny. *(Liczba)*
-
-*   **dokładność**: poziom dokładności współrzędnych szerokości i długości geograficznej w metrach. *(Liczba)*
-
-*   **altitudeAccuracy**: poziom dokładności Współrzędna wysokość w metrach. *(Liczba)*
-
-*   **pozycja**: kierunek podróży, określonego w stopni licząc ruchu wskazówek zegara względem północy rzeczywistej. *(Liczba)*
-
-*   **prędkość**: Aktualna prędkość ziemi urządzenia, określone w metrach na sekundę. *(Liczba)*
-
-### Amazon ogień OS dziwactwa
-
-**altitudeAccuracy**: nie obsługiwane przez Android urządzeń, zwracanie `wartości null`.
-
-### Dziwactwa Androida
-
-**altitudeAccuracy**: nie obsługiwane przez Android urządzeń, zwracanie `wartości null`.
-
-## PositionError
-
-`PositionError` obiekt jest przekazywany do funkcji wywołania zwrotnego `geolocationError`, gdy wystąpi błąd z navigator.geolocation.
-
-### Właściwości
-
-*   **Kod**: jeden z kodów błędów wstępnie zdefiniowanych poniżej.
-
-*   **wiadomość**: komunikat o błędzie, opisując szczegóły wystąpił błąd.
-
-### Stałe
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Zwracane, gdy użytkownicy nie zezwalają aplikacji do pobierania informacji o pozycji. Jest to zależne od platformy.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Zwracane, gdy urządzenie jest w stanie pobrać pozycji. Ogólnie rzecz biorąc oznacza to urządzenie nie jest podłączone do sieci lub nie może uzyskać satelita utrwalić.
-*   `PositionError.TIMEOUT` 
-    *   Zwracane, gdy urządzenie jest w stanie pobrać pozycji w czasie określonym przez `timeout` w `geolocationOptions` . Gdy używana z `navigator.geolocation.watchPosition` , ten błąd może być wielokrotnie przekazywane do `geolocationError` zwrotne co `timeout` milisekund.
diff --git a/doc/ru/index.md b/doc/ru/index.md
deleted file mode 100644
index 3d9c766..0000000
--- a/doc/ru/index.md
+++ /dev/null
@@ -1,206 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-Этот плагин предоставляет информацию о местоположении устройства, например, Широта и Долгота. Общие источники информации о местонахождении включают глобальной системы позиционирования (GPS) и местоположение, выведено из сети сигналов, таких как IP-адрес, RFID, WiFi и Bluetooth MAC-адреса и идентификаторы базовых станций сотовой GSM/CDMA. Нет никакой гарантии, что API возвращает фактическое местоположение устройства.
-
-Этот API основан на [Спецификации W3C Geolocation API][1]и выполняется только на устройствах, которые уже не обеспечивают реализацию.
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**Предупреждение**: сбор и использование данных геопозиционирования поднимает вопросы важные конфиденциальности. Политика конфиденциальности вашего приложения должна обсудить, как приложение использует данные геопозиционирования, ли она совместно с другими сторонами и уровень точности данных (например, грубый, тонкий, почтовый индекс уровня, т.д.). Геолокации, как правило, считается конфиденциальной, потому, что она может выявить местонахождение пользователя и, если сохранены, история их [...]
-
-## Установка
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## Поддерживаемые платформы
-
-*   Amazon Fire OS
-*   Android
-*   BlackBerry 10
-*   Firefox OS
-*   iOS
-*   Tizen
-*   Windows Phone 7 и 8
-*   Windows 8
-
-## Методы
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## Объекты (только для чтения)
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-Возвращает текущее положение устройства для `geolocationSuccess` обратного вызова с `Position` объект в качестве параметра. Если есть ошибка, `geolocationError` обратного вызова передается `PositionError` объект.
-
-    navigator.geolocation.getCurrentPosition (geolocationSuccess, [geolocationError], [geolocationOptions]);
-    
-
-### Параметры
-
-*   **geolocationSuccess**: обратный вызов, который передается в текущей позиции.
-
-*   **geolocationError**: *(необязательно)* обратного вызова, который выполняется при возникновении ошибки.
-
-*   **geolocationOptions**: *(необязательно)* параметры геопозиционирования.
-
-### Пример
-
-    onSuccess обратного вызова / / этот метод принимает позицию объекта, который содержит / / текущие GPS координаты / / var onSuccess = function(position) {alert (' Широта: ' + position.coords.latitude + «\n» + ' Долгота: ' + position.coords.longitude + «\n» + ' Высота: ' + position.coords.altitude + «\n» + ' точность: ' + position.coords.accuracy + «\n» + ' высоте точность: ' + position.coords.altitudeAccuracy + «\n» + ' заголовок: ' + position.coords.heading + «\n» + ' скорость: ' + p [...]
-    
-    onError обратного вызова получает объект PositionError / / функция onError(error) {alert (' код: ' + error.code + «\n» + ' сообщение: ' + error.message + «\n»);}
-    
-    navigator.geolocation.getCurrentPosition (onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-Возвращает текущее положение устройства при обнаружении изменения в позиции. Когда устройство получает новое место, `geolocationSuccess` обратного вызова выполняется с `Position` объект в качестве параметра. Если есть ошибка, `geolocationError` обратного вызова выполняется с `PositionError` объект в качестве параметра.
-
-    var watchId = navigator.geolocation.watchPosition (geolocationSuccess, [geolocationError], [geolocationOptions]);
-    
-
-### Параметры
-
-*   **geolocationSuccess**: обратный вызов, который передается в текущей позиции.
-
-*   **geolocationError**: (необязательно) обратного вызова, который выполняется при возникновении ошибки.
-
-*   **geolocationOptions**: параметры (необязательно) географического расположения.
-
-### Возвращает
-
-*   **Строка**: Возвращает идентификатор часы, ссылается на позицию интервала часы. Идентификатор часы должны использоваться с `navigator.geolocation.clearWatch` прекратить слежение за изменением в положении.
-
-### Пример
-
-    onSuccess обратного вызова / / этот метод принимает «Position» объект, который содержит / / текущие GPS координаты / / функция onSuccess(position) {var элемент = document.getElementById('geolocation');
-        element.innerHTML = ' Широта: ' + position.coords.latitude + ' < br / >' + ' Долгота: ' + position.coords.longitude + ' < br / >' + ' < hr / >' + element.innerHTML;
-    } / / onError обратного вызова получает объект PositionError / / функция onError(error) {alert (' код: ' + error.code + «\n» + ' сообщение: ' + error.message + «\n»);}
-    
-    Опции: Бросьте сообщение об ошибке, если обновление не получено каждые 30 секунд.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, {тайм-аут: 30000});
-    
-
-## geolocationOptions
-
-Необязательные параметры для настройки поиска географического расположения`Position`.
-
-    {maximumAge: 3000, тайм-аут: 5000, enableHighAccuracy: true};
-    
-
-### Параметры
-
-*   **enableHighAccuracy**: предоставляет подсказку, что приложению требуются наилучшие результаты. По умолчанию устройство пытается получить `Position` с использованием методов на основе сети. Установка этого свойства значение `true` указывает среде использовать более точные методы, например спутникового позиционирования. *(Логическое значение)*
-
-*   **время ожидания**: максимальная длина времени (в миллисекундах), которое может пройти от вызова `navigator.geolocation.getCurrentPosition` или `geolocation.watchPosition` до соответствующих `geolocationSuccess` выполняет обратный вызов. Если `geolocationSuccess` обратного вызова не вызывается в течение этого времени, `geolocationError` обратного вызова передается `PositionError.TIMEOUT` код ошибки. (Обратите внимание, что при использовании в сочетании с `geolocation.watchPosition` , [...]
-
-*   **maximumAge**: принять кэшированное положение, возраст которых не превышает указанного времени в миллисекундах. *(Число)*
-
-### Особенности Android
-
-Эмуляторы Android 2.x не возвращать результат географического расположения, если `enableHighAccuracy` параметр имеет значение`true`.
-
-## navigator.geolocation.clearWatch
-
-Остановить просмотр для изменения местоположения устройства ссылается `watchID` параметр.
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### Параметры
-
-*   **watchID**: идентификатор `watchPosition` интервал, чтобы очистить. (Строка)
-
-### Пример
-
-    Опции: наблюдать за изменениями в положении и использовать наиболее / / точная позиция приобретение доступным методом.
-    var watchID = navigator.geolocation.watchPosition (onSuccess, onError, {enableHighAccuracy: true});
-    
-    .. .later на...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-Содержит `Position` координат и отметок времени, созданная API геопозиционирования.
-
-### Параметры
-
-*   **CoOrds**: набор географических координат. *(Координаты)*
-
-*   **штамп времени**: штамп времени создания для `coords` . *(Дата)*
-
-## Coordinates
-
-A `Coordinates` объект присоединен к `Position` объект, который доступен для обратного вызова функций в запросы для текущей позиции. Он содержит набор свойств, которые описывают географические координаты позиции.
-
-### Параметры
-
-*   **Широта**: Широта в десятичных градусах. *(Число)*
-
-*   **Долгота**: Долгота в десятичных градусах. *(Число)*
-
-*   **Высота**: высота позиции в метрах над эллипсоидом. *(Число)*
-
-*   **точность**: уровень точности координат широты и долготы в метрах. *(Число)*
-
-*   **altitudeAccuracy**: уровень точности координат высоты в метрах. *(Число)*
-
-*   **заголовок**: направление движения, указанный в градусах, считая по часовой стрелке относительно истинного севера. *(Число)*
-
-*   **скорость**: Текущая скорость земли устройства, указанного в метрах в секунду. *(Число)*
-
-### Особенности Amazon Fire OS
-
-**altitudeAccuracy**: не поддерживается Android устройств, возвращая`null`.
-
-### Особенности Android
-
-**altitudeAccuracy**: не поддерживается Android устройств, возвращая`null`.
-
-## PositionError
-
-`PositionError`Объект передается в `geolocationError` функции обратного вызова при возникновении ошибки с navigator.geolocation.
-
-### Параметры
-
-*   **code**: один из стандартных кодов ошибок, перечисленных ниже.
-
-*   **сообщение**: сообщение об ошибке с подробными сведениями об ошибке.
-
-### Константы
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   Возвращается, когда пользователи не позволяют приложению получить сведения о положении. Это зависит от платформы.
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   Возвращается, если устройство не удается получить позиции. В общем это означает, что прибор не подключен к сети или не может получить Спутниковое исправить.
-*   `PositionError.TIMEOUT` 
-    *   Возвращается, если устройство не удается получить позиции в течение времени, заданного параметром `timeout` в `geolocationOptions` . При использовании с `navigator.geolocation.watchPosition` , эта ошибка может быть неоднократно передан `geolocationError` обратного вызова каждый `timeout` миллисекунд.
diff --git a/doc/zh/README.md b/doc/zh/README.md
deleted file mode 100644
index b2afea5..0000000
--- a/doc/zh/README.md
+++ /dev/null
@@ -1,268 +0,0 @@
-<!--
-# 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.
--->
-
-# cordova-plugin-geolocation
-
-[![Build Status](https://travis-ci.org/apache/cordova-plugin-geolocation.svg)](https://travis-ci.org/apache/cordova-plugin-geolocation)
-
-這個外掛程式提供了有關該設備的位置,例如緯度和經度資訊。 常見的位置資訊來源包括全球定位系統 (GPS) 和網路信號,如 IP 位址、 RFID、 WiFi 和藍牙 MAC 位址和 GSM/CDMA 儲存格 Id 從推斷出的位置。 沒有任何保證,API 返回設備的實際位置。
-
-此 API 基於[W3C 地理定位 API 規範](http://dev.w3.org/geo/api/spec-source.html),並只執行已經不提供實現的設備上。
-
-**警告**: 地理定位資料的收集和使用提出了重要的隱私問題。 您的應用程式的隱私權原則應該討論這款應用程式如何使用地理定位資料,資料是否共用它的任何其他締約方和的資料 (例如,粗、 細,ZIP 代碼級別,等等) 的精度水準。 地理定位資料一般認為是敏感,因為它能揭示使用者的下落以及如果存儲,他們的旅行的歷史。 因此,除了應用程式的隱私權原則,您應強烈考慮之前應用程式訪問地理定位資料 (如果設備作業系統不會這樣做已經) 提供在時間的通知。 該通知應提供相同的資訊上文指出的並獲取該使用者的許可權 (例如,通過為**確定**並**不感謝**提出的選擇)。 有關詳細資訊,請參閱隱私指南。
-
-這個外掛程式定義了一個全球 `navigator.geolocation` 物件 (為平臺哪裡否則丟失)。
-
-儘管物件是在全球範圍內,提供這個外掛程式的功能不可用直到 `deviceready` 事件之後。
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## 安裝
-
-這就要求科爾多瓦 5.0 + (當前穩定 v1.0.0)
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-舊版本的科爾多瓦仍可以通過已棄用 id (陳舊 0.3.12) 安裝
-
-    cordova plugin add org.apache.cordova.geolocation
-    
-
-它也是可以直接通過回購 url 安裝 (不穩定)
-
-    cordova plugin add https://github.com/apache/cordova-plugin-geolocation.git
-    
-
-## 支援的平臺
-
-  * 亞馬遜火 OS
-  * Android 系統
-  * 黑莓 10
-  * 火狐瀏覽器作業系統
-  * iOS
-  * Tizen
-  * Windows Phone 7 和 8
-  * Windows 8
-  * Windows
-
-## 方法
-
-  * navigator.geolocation.getCurrentPosition
-  * navigator.geolocation.watchPosition
-  * navigator.geolocation.clearWatch
-
-## 物件 (唯讀)
-
-  * Position
-  * PositionError
-  * Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-返回設備的當前位置到 `geolocationSuccess` 回檔與 `Position` 物件作為參數。 如果有錯誤,`geolocationError` 回檔傳遞一個 `PositionError` 物件。
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### 參數
-
-  * **geolocationSuccess**: 傳遞當前位置的回檔。
-
-  * **geolocationError**: *(可選)*如果錯誤發生時執行的回檔。
-
-  * **geolocationOptions**: *(可選)*地理定位選項。
-
-### 示例
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-返回設備的當前的位置,當檢測到更改位置。 當設備檢索一個新位置時,則 `geolocationSuccess` 回檔執行與 `Position` 物件作為參數。 如果有錯誤,則 `geolocationError` 回檔執行同一個 `PositionError` 物件作為參數。
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### 參數
-
-  * **geolocationSuccess**: 傳遞當前位置的回檔。
-
-  * **geolocationError**: (可選) 如果錯誤發生時執行的回檔。
-
-  * **geolocationOptions**: (可選) 地理定位選項。
-
-### 返回
-
-  * **String**: 返回引用的觀看位置間隔的表 id。 應與一起使用的表 id `navigator.geolocation.clearWatch` 停止了觀看中位置的更改。
-
-### 示例
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-若要自訂的地理 `Position` 檢索的可選參數.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### 選項
-
-  * **enableHighAccuracy**: 提供應用程式需要最佳的可能結果的提示。 預設情況下,該設備將嘗試檢索 `Position` 使用基於網路的方法。 將此屬性設置為 `true` 告訴要使用更精確的方法,如衛星定位的框架。 *(布林值)*
-
-  * **timeout**: 時間 (毫秒) 從調用傳遞,允許的最大長度 `navigator.geolocation.getCurrentPosition` 或 `geolocation.watchPosition` 直到相應的 `geolocationSuccess` 回檔執行。 如果 `geolocationSuccess` 不會在此時間內調用回檔 `geolocationError` 傳遞回檔 `PositionError.TIMEOUT` 錯誤代碼。 (請注意,與一起使用時 `geolocation.watchPosition` 、 `geolocationError` 的時間間隔可以調用回檔每 `timeout` 毫秒!)*(人數)*
-
-  * **maximumAge**: 接受其年齡大於指定以毫秒為單位的時間沒有緩存的位置。*(人數)*
-
-### Android 的怪癖
-
-Android 2.x 模擬器不除非 `enableHighAccuracy` 選項設置為 `true`,否則返回地理定位結果.
-
-## navigator.geolocation.clearWatch
-
-停止觀察到 `watchID` 參數所引用的設備的位置。
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### 參數
-
-  * **watchID**: 的 id `watchPosition` 清除的時間間隔。(字串)
-
-### 示例
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-包含 `Position` 座標和時間戳記,由地理位置 API 創建。
-
-### 屬性
-
-  * **coords**: 一組的地理座標。*(座標)*
-
-  * **timestamp**: 創建時間戳記為 `coords` 。*(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` 的物件附加到一個 `Position` 物件,可用於在當前職位的請求中的回呼函數。 它包含一組屬性描述位置的地理座標。
-
-### 屬性
-
-  * **latitude**: 緯度以十進位度為單位。*(人數)*
-
-  * **longitude**: 經度以十進位度為單位。*(人數)*
-
-  * **altitude**: 高度在米以上橢球體中的位置。*(人數)*
-
-  * **accuracy**: 中米的緯度和經度座標的精度級別。*(人數)*
-
-  * **altitudeAccuracy**: 在米的海拔高度座標的精度級別。*(人數)*
-
-  * **heading**: 旅行,指定以度為單位元數目相對於真北順時針方向。*(人數)*
-
-  * **speed**: 當前地面速度的設備,指定在米每秒。*(人數)*
-
-### 亞馬遜火 OS 怪癖
-
-**altitudeAccuracy**: 不支援的 Android 設備,返回 `null`.
-
-### Android 的怪癖
-
-**altitudeAccuracy**: 不支援的 Android 設備,返回 `null`.
-
-## PositionError
-
-`PositionError` 物件將傳遞給 `geolocationError` 回呼函數中,當出現 navigator.geolocation 錯誤時發生。
-
-### 屬性
-
-  * **code**: 下面列出的預定義的錯誤代碼之一。
-
-  * **message**: 描述所遇到的錯誤的詳細資訊的錯誤訊息。
-
-### 常量
-
-  * `PositionError.PERMISSION_DENIED` 
-      * 返回當使用者不允許應用程式檢索的位置資訊。這是取決於平臺。
-  * `PositionError.POSITION_UNAVAILABLE` 
-      * 返回設備時,不能檢索的位置。一般情況下,這意味著該設備未連接到網路或無法獲取衛星的修復。
-  * `PositionError.TIMEOUT` 
-      * 返回設備時,無法在指定的時間內檢索位置 `timeout` 中包含 `geolocationOptions` 。 與一起使用時 `navigator.geolocation.watchPosition` ,此錯誤可能反復傳遞給 `geolocationError` 回檔每 `timeout` 毫秒為單位)。
\ No newline at end of file
diff --git a/doc/zh/index.md b/doc/zh/index.md
deleted file mode 100644
index c78a9f7..0000000
--- a/doc/zh/index.md
+++ /dev/null
@@ -1,255 +0,0 @@
-<!---
-    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.
--->
-
-# cordova-plugin-geolocation
-
-這個外掛程式提供了有關該設備的位置,例如緯度和經度資訊。 常見的位置資訊來源包括全球定位系統 (GPS) 和網路信號,如 IP 位址、 RFID、 WiFi 和藍牙 MAC 位址和 GSM/CDMA 儲存格 Id 從推斷出的位置。 沒有任何保證,API 返回設備的實際位置。
-
-此 API 基於[W3C 地理定位 API 規範][1],並只執行已經不提供實現的設備上。
-
- [1]: http://dev.w3.org/geo/api/spec-source.html
-
-**警告**: 地理定位資料的收集和使用提出了重要的隱私問題。 您的應用程式的隱私權原則應該討論這款應用程式如何使用地理定位資料,資料是否共用它的任何其他締約方和的資料 (例如,粗、 細,ZIP 代碼級別,等等) 的精度水準。 地理定位資料一般認為是敏感,因為它能揭示使用者的下落以及如果存儲,他們的旅行的歷史。 因此,除了應用程式的隱私權原則,您應強烈考慮之前應用程式訪問地理定位資料 (如果設備作業系統不會這樣做已經) 提供在時間的通知。 該通知應提供相同的資訊上文指出的並獲取該使用者的許可權 (例如,通過為**確定**並**不感謝**提出的選擇)。 有關詳細資訊,請參閱隱私指南。
-
-這個外掛程式定義了一個全球 `navigator.geolocation` 物件 (為平臺哪裡否則丟失)。
-
-儘管物件是在全球範圍內,提供這個外掛程式的功能不可用直到 `deviceready` 事件之後。
-
-    document.addEventListener("deviceready", onDeviceReady, false);
-    function onDeviceReady() {
-        console.log("navigator.geolocation works well");
-    }
-    
-
-## 安裝
-
-    cordova plugin add cordova-plugin-geolocation
-    
-
-## 支援的平臺
-
-*   亞馬遜火 OS
-*   Android 系統
-*   黑莓 10
-*   火狐瀏覽器作業系統
-*   iOS
-*   Tizen
-*   Windows Phone 7 和 8
-*   Windows 8
-
-## 方法
-
-*   navigator.geolocation.getCurrentPosition
-*   navigator.geolocation.watchPosition
-*   navigator.geolocation.clearWatch
-
-## 物件 (唯讀)
-
-*   Position
-*   PositionError
-*   Coordinates
-
-## navigator.geolocation.getCurrentPosition
-
-返回設備的當前位置到 `geolocationSuccess` 回檔與 `Position` 物件作為參數。 如果有錯誤,`geolocationError` 回檔傳遞一個 `PositionError` 物件。
-
-    navigator.geolocation.getCurrentPosition(geolocationSuccess,
-                                             [geolocationError],
-                                             [geolocationOptions]);
-    
-
-### 參數
-
-*   **geolocationSuccess**: 傳遞當前位置的回檔。
-
-*   **geolocationError**: *(可選)*如果錯誤發生時執行的回檔。
-
-*   **geolocationOptions**: *(可選)*地理定位選項。
-
-### 示例
-
-    // onSuccess Callback
-    // This method accepts a Position object, which contains the
-    // current GPS coordinates
-    //
-    var onSuccess = function(position) {
-        alert('Latitude: '          + position.coords.latitude          + '\n' +
-              'Longitude: '         + position.coords.longitude         + '\n' +
-              'Altitude: '          + position.coords.altitude          + '\n' +
-              'Accuracy: '          + position.coords.accuracy          + '\n' +
-              'Altitude Accuracy: ' + position.coords.altitudeAccuracy  + '\n' +
-              'Heading: '           + position.coords.heading           + '\n' +
-              'Speed: '             + position.coords.speed             + '\n' +
-              'Timestamp: '         + position.timestamp                + '\n');
-    };
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    navigator.geolocation.getCurrentPosition(onSuccess, onError);
-    
-
-## navigator.geolocation.watchPosition
-
-返回設備的當前的位置,當檢測到更改位置。 當設備檢索一個新位置時,則 `geolocationSuccess` 回檔執行與 `Position` 物件作為參數。 如果有錯誤,則 `geolocationError` 回檔執行同一個 `PositionError` 物件作為參數。
-
-    var watchId = navigator.geolocation.watchPosition(geolocationSuccess,
-                                                      [geolocationError],
-                                                      [geolocationOptions]);
-    
-
-### 參數
-
-*   **geolocationSuccess**: 傳遞當前位置的回檔。
-
-*   **geolocationError**: (可選) 如果錯誤發生時執行的回檔。
-
-*   **geolocationOptions**: (可選) 地理定位選項。
-
-### 返回
-
-*   **String**: 返回引用的觀看位置間隔的表 id。 應與一起使用的表 id `navigator.geolocation.clearWatch` 停止了觀看中位置的更改。
-
-### 示例
-
-    // onSuccess Callback
-    //   This method accepts a `Position` object, which contains
-    //   the current GPS coordinates
-    //
-    function onSuccess(position) {
-        var element = document.getElementById('geolocation');
-        element.innerHTML = 'Latitude: '  + position.coords.latitude      + '<br />' +
-                            'Longitude: ' + position.coords.longitude     + '<br />' +
-                            '<hr />'      + element.innerHTML;
-    }
-    
-    // onError Callback receives a PositionError object
-    //
-    function onError(error) {
-        alert('code: '    + error.code    + '\n' +
-              'message: ' + error.message + '\n');
-    }
-    
-    // Options: throw an error if no update is received every 30 seconds.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { timeout: 30000 });
-    
-
-## geolocationOptions
-
-若要自訂的地理 `Position` 檢索的可選參數.
-
-    { maximumAge: 3000, timeout: 5000, enableHighAccuracy: true };
-    
-
-### 選項
-
-*   **enableHighAccuracy**: 提供應用程式需要最佳的可能結果的提示。 預設情況下,該設備將嘗試檢索 `Position` 使用基於網路的方法。 將此屬性設置為 `true` 告訴要使用更精確的方法,如衛星定位的框架。 *(布林值)*
-
-*   **timeout**: 時間 (毫秒) 從調用傳遞,允許的最大長度 `navigator.geolocation.getCurrentPosition` 或 `geolocation.watchPosition` 直到相應的 `geolocationSuccess` 回檔執行。 如果 `geolocationSuccess` 不會在此時間內調用回檔 `geolocationError` 傳遞回檔 `PositionError.TIMEOUT` 錯誤代碼。 (請注意,與一起使用時 `geolocation.watchPosition` 、 `geolocationError` 的時間間隔可以調用回檔每 `timeout` 毫秒!)*(人數)*
-
-*   **maximumAge**: 接受其年齡大於指定以毫秒為單位的時間沒有緩存的位置。*(人數)*
-
-### Android 的怪癖
-
-Android 2.x 模擬器不除非 `enableHighAccuracy` 選項設置為 `true`,否則返回地理定位結果.
-
-## navigator.geolocation.clearWatch
-
-停止觀察到 `watchID` 參數所引用的設備的位置。
-
-    navigator.geolocation.clearWatch(watchID);
-    
-
-### 參數
-
-*   **watchID**: 的 id `watchPosition` 清除的時間間隔。(字串)
-
-### 示例
-
-    // Options: watch for changes in position, and use the most
-    // accurate position acquisition method available.
-    //
-    var watchID = navigator.geolocation.watchPosition(onSuccess, onError, { enableHighAccuracy: true });
-    
-    // ...later on...
-    
-    navigator.geolocation.clearWatch(watchID);
-    
-
-## Position
-
-包含 `Position` 座標和時間戳記,由地理位置 API 創建。
-
-### 屬性
-
-*   **coords**: 一組的地理座標。*(座標)*
-
-*   **timestamp**: 創建時間戳記為 `coords` 。*(DOMTimeStamp)*
-
-## Coordinates
-
-`Coordinates` 的物件附加到一個 `Position` 物件,可用於在當前職位的請求中的回呼函數。 它包含一組屬性描述位置的地理座標。
-
-### 屬性
-
-*   **latitude**: 緯度以十進位度為單位。*(人數)*
-
-*   **longitude**: 經度以十進位度為單位。*(人數)*
-
-*   **altitude**: 高度在米以上橢球體中的位置。*(人數)*
-
-*   **accuracy**: 中米的緯度和經度座標的精度級別。*(人數)*
-
-*   **altitudeAccuracy**: 在米的海拔高度座標的精度級別。*(人數)*
-
-*   **heading**: 旅行,指定以度為單位元數目相對於真北順時針方向。*(人數)*
-
-*   **speed**: 當前地面速度的設備,指定在米每秒。*(人數)*
-
-### 亞馬遜火 OS 怪癖
-
-**altitudeAccuracy**: 不支援的 Android 設備,返回 `null`.
-
-### Android 的怪癖
-
-**altitudeAccuracy**: 不支援的 Android 設備,返回 `null`.
-
-## PositionError
-
-`PositionError` 物件將傳遞給 `geolocationError` 回呼函數中,當出現 navigator.geolocation 錯誤時發生。
-
-### 屬性
-
-*   **code**: 下面列出的預定義的錯誤代碼之一。
-
-*   **message**: 描述所遇到的錯誤的詳細資訊的錯誤訊息。
-
-### 常量
-
-*   `PositionError.PERMISSION_DENIED` 
-    *   返回當使用者不允許應用程式檢索的位置資訊。這是取決於平臺。
-*   `PositionError.POSITION_UNAVAILABLE` 
-    *   返回設備時,不能檢索的位置。一般情況下,這意味著該設備未連接到網路或無法獲取衛星的修復。
-*   `PositionError.TIMEOUT` 
-    *   返回設備時,無法在指定的時間內檢索位置 `timeout` 中包含 `geolocationOptions` 。 與一起使用時 `navigator.geolocation.watchPosition` ,此錯誤可能反復傳遞給 `geolocationError` 回檔每 `timeout` 毫秒為單位)。


---------------------------------------------------------------------
To unsubscribe, e-mail: commits-unsubscribe@cordova.apache.org
For additional commands, e-mail: commits-help@cordova.apache.org