You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@cordova.apache.org by pu...@apache.org on 2012/09/11 01:57:44 UTC

[19/52] [abbrv] [partial] re-org

http://git-wip-us.apache.org/repos/asf/incubator-cordova-windows/blob/03bf0cde/samples/Notification Test/Notification Test/js/cordova.js
----------------------------------------------------------------------
diff --git a/samples/Notification Test/Notification Test/js/cordova.js b/samples/Notification Test/Notification Test/js/cordova.js
deleted file mode 100644
index 185c6b5..0000000
--- a/samples/Notification Test/Notification Test/js/cordova.js	
+++ /dev/null
@@ -1,3844 +0,0 @@
-var utils = {
-     clone: function (obj) {
-        if (!obj) {
-            return obj;
-        }
-
-        var retVal, i;
-
-        if (obj instanceof Array) {
-            retVal = [];
-            for (i = 0; i < obj.length; ++i) {
-                retVal.push(_self.clone(obj[i]));
-            }
-            return retVal;
-        }
-
-        if (obj instanceof Function) {
-            return obj;
-        }
-
-        if (!(obj instanceof Object)) {
-            return obj;
-        }
-
-        if (obj instanceof Date) {
-            return obj;
-        }
-
-        retVal = {};
-        for (i in obj) {
-            if (!(i in retVal) || retVal[i] != obj[i]) {
-                retVal[i] = _self.clone(obj[i]);
-            }
-        }
-        return retVal;
-    },
-
-    close: function (context, func, params) {
-        if (typeof params === 'undefined') {
-            return function () {
-                return func.apply(context, arguments);
-            };
-        } else {
-            return function () {
-                return func.apply(context, params);
-            };
-        }
-    },
-
-    /**
-         * Extends a child object from a parent object using classical inheritance
-         * pattern.
-         */
-    extend: (function () {
-        var F = function () { };
-        return function (Child, Parent) {
-
-            F.prototype = Parent.prototype;
-            Child.prototype = new F();
-            Child.__super__ = Parent.prototype;
-            Child.prototype.constructor = Child;
-        };
-    }()),
-
-    /**
-         * Alerts a message in any available way: alert or console.log.
-         */
-    alert: function (msg) {
-        if (alert) {
-            alert(msg);
-        } else if (console && console.log) {
-            console.log(msg);
-        }
-    }
-};
-
-Jscex.Promise.create = function (init) {
-    return new WinJS.Promise(init);
-}
-
-
-/**
- * This contains device acceleration information.
- * @param {Object} x
- * @param {Object} y
- * @param {Object} z
- * @param {Object} timestamp
- * @constructor
- */
-function Acceleration(x, y, z, timestamp) {
-    /**
-	 * The x acceleration of the device.
-	 */
-    this.x = x;
-    /**
-	 * The y acceleration of the device.
-	 */
-    this.y = y;
-    /**
-	 * The z acceleration of the device.
-	 */
-    this.z = z;
-    /**
-	 * The timestamp for the accelerations of the device.
-	 */
-    this.timestamp = timestamp || new Date().getTime();
-};
-
-var accelerometerTimers = {};	// dictionary of timers in use
-
-// Returns default param, overrides if provided with value
-function accelerometerOptions(options) {
-    var opt = {
-        frequency: 10000
-    };
-    if (options) {
-        if (options.frequency !== undefined) {
-            opt.frequency = options.frequency;
-        }
-    }
-    return opt;
-}
-
-
-/*
- * This class provides access to device acceleration data.
- * @constructor
- */
-function Accelerometer() { }
-
-
-/**
- * Aquires the current 3d acceleration.
- *
- * @param {Function} accelerometerSuccess	The Function to call when the acceleration data is available
- * @param {Function} accelerometerError		The function to call when there is an error getting the acceleration data
- */
-Accelerometer.prototype.getCurrentAcceleration = function (accelerometerSuccess, accelerometerError) {
-    var win = function (a) {
-        accelerometerSuccess(new Acceleration(a.accelerationX,
-											  a.accelerationY,
-											  a.accelerationZ,
-											  a.timestamp.getTime()
-							 )
-        )
-    };
-
-    var fail = function () {
-        accelerometerError();
-    };
-
-    var accel = Windows.Devices.Sensors.Accelerometer.getDefault();
-
-    var reading = accel.getCurrentReading();
-    if (reading) {
-        win(reading);
-    } else {
-        fail();
-    }
-};
-
-/**
- * Watches the acceleration. Calls acceleromterSuccess at a regular time interval
- * defined in options.
- *
- * @param {Function} accelerometerSuccess	The function to call at the regular interval.
- * @param {Function} accelerometerError		The function to call when there is an error getting the acceleartion data.
- * @param {accelerationOptions} options		The option for frequency to call accelerometerSuccess. (OPTIONAL)
- * @return String							The watch id that must be passed to #clearWatch to stop watching.
- */
-
-Accelerometer.prototype.watchAcceleration = function (accelerometerSuccess, accelerometerError, options) {
-    options = accelerometerOptions(options);
-    var minimumReportInterval = this.minimumReportInterval;
-    if (options.frequency < minimumReportInterval) {
-		options.frequency < minimumReportInterval;
-	}
-
-	var thisAcc = this;
-    var id = createUUID();
-    accelerometerTimers[id] = window.setInterval(function () {
-        thisAcc.getCurrentAcceleration(accelerometerSuccess, accelerometerError);
-    }, options.frequency);
-
-    return id;
-};
-
-/**
- * Stop watching the acceleration referenced by the watchId param.
- *
- * @param {String} watchId		The ID of the watch returned from #watchAcceleration
- */
-
-Accelerometer.prototype.clearWatch = function (watchId) {
-    if ((watchId !== undefined)&&(accelerometerTimers[watchId] !== undefined)) {
-        window.clearInterval(accelerometerTimers[watchId]);
-        delete accelerometerTimers[watchId];
-    }
-};
-
-if (typeof navigator.accelerometer == "undefined") {
-    // Win RT support the object Accelerometer , and is Read-Only , So for test , must to change the methods of Object
-    navigator.accelerometer = new Accelerometer();
-    //navigator.accelerometer.getCurrentAcceleration = new Accelerometer().getCurrentAcceleration;
-    //navigator.accelerometer.clearWatch = new Accelerometer().clearWatch;
-    //navigator.accelerometer.watchAcceleration = new Accelerometer().watchAcceleration;
-}
-/**
- * This class provides access to the device camera.
- *
- * @constructor
- */
-function Camera() {
-    this.successCallback = null;
-    this.errorCallback = null;
-    this.options = null;
-};
-
-/**
- * Format of image that returned from getPicture.
- *
- * Example: navigator.camera.getPicture(success, fail,
- *              { quality: 80,
- *                destinationType: Camera.DestinationType.DATA_URL,
- *                sourceType: Camera.PictureSourceType.PHOTOLIBRARY})
- */
-Camera.DestinationType = {
-    DATA_URL: 0,                // Return base64 encoded string
-    FILE_URI: 1                 // Return file uri (content://media/external/images/media/2 for Android)
-};
-Camera.prototype.DestinationType = Camera.DestinationType;
-
-/**
- * Encoding of image returned from getPicture.
- *
- * Example: navigator.camera.getPicture(success, fail,
- *              { quality: 80,
- *                destinationType: Camera.DestinationType.DATA_URL,
- *                sourceType: Camera.PictureSourceType.CAMERA,
- *                encodingType: Camera.EncodingType.PNG})
-*/
-Camera.EncodingType = {
-    JPEG: 0,                    // Return JPEG encoded image
-    PNG: 1                      // Return PNG encoded image
-};
-Camera.prototype.EncodingType = Camera.EncodingType;
-
-/**
- * Source to getPicture from.
- *
- * Example: navigator.camera.getPicture(success, fail,
- *              { quality: 80,
- *                destinationType: Camera.DestinationType.DATA_URL,
- *                sourceType: Camera.PictureSourceType.PHOTOLIBRARY})
- */
-Camera.PictureSourceType = {
-    PHOTOLIBRARY: 0,           // Choose image from picture library (same as SAVEDPHOTOALBUM for Android)
-    CAMERA: 1,                 // Take picture from camera
-    SAVEDPHOTOALBUM: 2         // Choose image from picture library (same as PHOTOLIBRARY for Android)
-};
-Camera.prototype.PictureSourceType = Camera.PictureSourceType;
-
-Camera.MediaType = {
-    PICTURE: 0,          // allow selection of still pictures only. DEFAULT. Will return format specified via DestinationType
-    VIDEO: 1,            // allow selection of video only, ONLY RETURNS URL
-    ALLMEDIA: 2         // allow selection from all media types
-};
-Camera.prototype.MediaType = Camera.MediaType;
-
-/**
- * Gets a picture from source defined by "options.sourceType", and returns the
- * image as defined by the "options.destinationType" option.
-
- * The defaults are sourceType=CAMERA and destinationType=DATA_URL.
- *
- * @param {Function} successCallback
- * @param {Function} errorCallback
- * @param {Object} options
- */
-Camera.prototype.getPicture = function (successCallback, errorCallback, options) {
-    
-    // successCallback required
-    if (typeof successCallback !== "function") {
-        console.log("Camera Error: successCallback is not a function");
-        return;
-    }
-
-    // errorCallback optional
-    if (errorCallback && (typeof errorCallback !== "function")) {
-        console.log("Camera Error: errorCallback is not a function");
-        return;
-    }
-    
-    var quality = 50;
-    if (options && typeof options.quality == "number") {
-        quality = options.quality;
-    } else if (options && typeof options.quality == "string") {
-        var qlity = parseInt(options.quality, 10);
-        if (isNaN(qlity) === false) {
-            quality = qlity.valueOf();
-        }
-    }
-
-    var destinationType = Camera.DestinationType.FILE_URI;
-    if (typeof options.destinationType == "number") {
-        destinationType = options.destinationType;
-    }
-
-    var sourceType = Camera.PictureSourceType.CAMERA;
-    if (typeof options.sourceType == "number") {
-        sourceType = options.sourceType;
-    }
-
-    var targetWidth = -1;
-    if (typeof options.targetWidth == "number") {
-        targetWidth = options.targetWidth;
-    } else if (typeof options.targetWidth == "string") {
-        var width = parseInt(options.targetWidth, 10);
-        if (isNaN(width) === false) {
-            targetWidth = width.valueOf();
-        }
-    }
-
-    var targetHeight = -1;
-    if (typeof options.targetHeight == "number") {
-        targetHeight = options.targetHeight;
-    } else if (typeof options.targetHeight == "string") {
-        var height = parseInt(options.targetHeight, 10);
-        if (isNaN(height) === false) {
-            targetHeight = height.valueOf();
-        }
-    }
-
-    if ((targetWidth > 0 && targetHeight < 0) || (targetWidth < 0 && targetHeight > 0)) {
-        errorCallback("targetWidth should be used with targetHeight.");
-    }
-
-    var encodingType = Camera.EncodingType.JPEG;
-    if (typeof options.encodingType == "number") {
-        encodingType = options.encodingType;
-    }
-
-    var mediaType = Camera.MediaType.PICTURE;
-    if (typeof options.mediaType == "number") {
-        mediaType = options.mediaType;
-    }
-    var allowEdit = false;
-    if (typeof options.allowEdit == "boolean") {
-        allowEdit = options.allowEdit;
-    } else if (typeof options.allowEdit == "number") {
-        allowEdit = options.allowEdit <= 0 ? false : true;
-    }
-    var correctOrientation = false;
-    if (typeof options.correctOrientation == "boolean") {
-        correctOrientation = options.correctOrientation;
-    } else if (typeof options.correctOrientation == "number") {
-        correctOrientation = options.correctOrientation <= 0 ? false : true;
-    }
-    var saveToPhotoAlbum = false;
-    if (typeof options.saveToPhotoAlbum == "boolean") {
-        saveToPhotoAlbum = options.saveToPhotoAlbum;
-    } else if (typeof options.saveToPhotoAlbum == "number") {
-        saveToPhotoAlbum = options.saveToPhotoAlbum <= 0 ? false : true;
-    }
-
-    
-    // get the path of photo album.
-    /*var parentPath
-    var username = Windows.System.UserProfile.UserInformation.getDisplayNameAsync().then(function (displayName) { 
-        parentPath = "C:\\Users\\" + username + "\\Pictures";
-    });*/
-    var package = Windows.ApplicationModel.Package.current;
-    var packageId = package.installedLocation;
-
-    // resize method :)
-    var resizeImage = function (file) {
-        var tempPhotoFileName = "";
-        if (encodingType == Camera.EncodingType.PNG) {
-            tempPhotoFileName = "camera_cordova_temp_return.png";
-        } else {
-            tempPhotoFileName = "camera_cordova_temp_return.jpg";
-        }
-        var imgObj = new Image();
-        var success = function (fileEntry) {
-            var successCB = function (filePhoto) {
-                var filePhoto = filePhoto,
-                    fileType = file.contentType,
-                    reader = new FileReader();
-                reader.onloadend = function () {
-                    var image = new Image();
-                    image.src = reader.result;
-                    image.onload = function () {
-                        var imageWidth = targetWidth,
-                            imageHeight = targetHeight;
-                        var canvas = document.createElement('canvas');
-                                            
-                        canvas.width = imageWidth;
-                        canvas.height = imageHeight;
-
-                        var ctx = canvas.getContext("2d");
-                        ctx.drawImage(this, 0, 0, imageWidth, imageHeight);
-                                            
-                        // The resized file ready for upload
-                        var _blob = canvas.msToBlob();
-                        var _stream = _blob.msRandomAccessStream();
-                        Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-                            storageFolder.createFileAsync(tempPhotoFileName, Windows.Storage.CreationCollisionOption.generateUniqueName).done(function (file) {
-                                file.openAsync(Windows.Storage.FileAccessMode.readWrite).done( function (fileStream) {
-                                    Windows.Storage.Streams.RandomAccessStream.copyAndCloseAsync(_stream, fileStream).done(function () {
-                                        successCallback(file.name);
-                                    }, function () { errorCallback("Resize picture error."); })
-                                }, function () { errorCallback("Resize picture error."); })
-                            }, function () { errorCallback("Resize picture error."); })
-                        })
-                        
-
-                        /*var finalFile = canvas.toDataURL(fileType);
-                        Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-                            storageFolder.createFileAsync(tempPhotoFileName, Windows.Storage.CreationCollisionOption.generateUniqueName).done(function (file) {
-                                var arr = finalFile.split(",");
-                                var newStr = finalFile.substr(arr[0].length + 1);
-
-                                var buffer = Windows.Security.Cryptography.CryptographicBuffer.decodeFromBase64String(newStr);
-                                Windows.Storage.FileIO.writeBufferAsync(file, buffer).done(function () {
-                                    successCallback(file.name);
-                                                        
-                                }, function () { errorCallback("Resize picture error.");})
-                            }, function () { errorCallback("Resize picture error."); })
-                                                
-                        }, function () { errorCallback("Resize picture error."); })*/
-                    }
-                }
-
-                reader.readAsDataURL(filePhoto);
-
-            }
-            var failCB = function () {
-                errorCallback("File not found.")
-            }
-            fileEntry.file(successCB, failCB);
-        }
- 
-        var fail = function (fileError) {
-            errorCallback("FileError, code:" + fileError.code);
-        }
-        Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-            file.copyAsync(storageFolder, file.name, Windows.Storage.NameCollisionOption.replaceExisting).then(function (storageFile) {
-                success(new FileEntry(storageFile.name, storageFile.path));
-            }, function () {
-                fail(FileError.INVALID_MODIFICATION_ERR);
-            }, function () {
-                errorCallback("Folder not access.");
-            });
-        })
-                        
-    }
-
-    // because of asynchronous method, so let the successCallback be called in it. 
-    var resizeImageBase64 = function (file) {
-        var imgObj = new Image();
-        var success = function (fileEntry) {
-            var successCB = function (filePhoto) {
-                var filePhoto = filePhoto,
-                    fileType = file.contentType,
-                    reader = new FileReader();
-                reader.onloadend = function () {
-                    var image = new Image();
-                    image.src = reader.result;
-
-                    image.onload = function () {
-                        var imageWidth = targetWidth,
-                            imageHeight = targetHeight;
-                        var canvas = document.createElement('canvas');
-
-                        canvas.width = imageWidth;
-                        canvas.height = imageHeight;
-
-                        var ctx = canvas.getContext("2d");
-                        ctx.drawImage(this, 0, 0, imageWidth, imageHeight);
-
-                        // The resized file ready for upload
-                        var finalFile = canvas.toDataURL(fileType);
-
-                        // Remove the prefix such as "data:" + contentType + ";base64," , in order to meet the Cordova API.
-                        var arr = finalFile.split(",");
-                        var newStr = finalFile.substr(arr[0].length + 1);
-                        successCallback(newStr);
-                    }
-                }
-
-                reader.readAsDataURL(filePhoto);
-
-            }
-            var failCB = function () {
-                errorCallback("File not found.")
-            }
-            fileEntry.file(successCB, failCB);
-        }
-
-        var fail = function (fileError) {
-            errorCallback("FileError, code:" + fileError.code);
-        }
-        Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-            file.copyAsync(storageFolder, file.name, Windows.Storage.NameCollisionOption.replaceExisting).then(function (storageFile) {
-                success(new FileEntry(storageFile.name, storageFile.path));
-            }, function () {
-                fail(FileError.INVALID_MODIFICATION_ERR);
-            }, function () {
-                errorCallback("Folder not access.");
-            });
-        })
-
-    }
-
-    if (sourceType != Camera.PictureSourceType.CAMERA) {
-        var fileOpenPicker = new Windows.Storage.Pickers.FileOpenPicker();
-        fileOpenPicker.suggestedStartLocation = Windows.Storage.Pickers.PickerLocationId.picturesLibrary;
-        if (mediaType == Camera.MediaType.PICTURE) {
-            fileOpenPicker.fileTypeFilter.replaceAll([".png", ".jpg", ".jpeg"]);
-        } else if (mediaType == Camera.MediaType.VIDEO) {
-            fileOpenPicker.fileTypeFilter.replaceAll([".avi", ".flv", ".asx", ".asf", ".mov", ".mp4", ".mpg", ".rm", ".srt", ".swf", ".wmv", ".vob"]);
-        } else {
-            fileOpenPicker.fileTypeFilter.replaceAll(["*"]);
-        }    
-        fileOpenPicker.pickSingleFileAsync().then(function (file) {
-            if (file) {
-                if (destinationType == Camera.DestinationType.FILE_URI) {
-                    if (targetHeight > 0 && targetWidth > 0) {
-                        resizeImage(file);
-                    } else {
-                        Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-                            file.copyAsync(storageFolder, file.name, Windows.Storage.NameCollisionOption.replaceExisting).then(function (storageFile) {
-                                successCallback(storageFile.name);
-                            }, function () {
-                                fail(FileError.INVALID_MODIFICATION_ERR);
-                            }, function () {
-                                errorCallback("Folder not access.");
-                            });
-                        })
-                        
-                    }
-                }
-                else {
-                    if (targetHeight > 0 && targetWidth > 0) {
-                        resizeImageBase64(file);
-                    } else {
-                        Windows.Storage.FileIO.readBufferAsync(file).done(function (buffer) {
-                            var strBase64 = Windows.Security.Cryptography.CryptographicBuffer.encodeToBase64String(buffer);
-                            successCallback(strBase64);
-                        })
-                    }
-                    
-                }
-
-            } else {
-                errorCallback("User didn't choose a file.");
-            }
-        }, function () {
-            errorCallback("User didn't choose a file.")
-        })
-    }
-    else {
-        
-        var cameraCaptureUI = new Windows.Media.Capture.CameraCaptureUI();
-        cameraCaptureUI.photoSettings.allowCropping = true;
-        if (encodingType == Camera.EncodingType.PNG) {
-            cameraCaptureUI.photoSettings.format = Windows.Media.Capture.CameraCaptureUIPhotoFormat.png;
-        } else {
-            cameraCaptureUI.photoSettings.format = Windows.Media.Capture.CameraCaptureUIPhotoFormat.jpeg;
-        }
-        // decide which max pixels should be supported by targetWidth or targetHeight.
-        if (targetWidth >= 1280 || targetHeight >= 960) {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.large3M;
-        } else if (targetWidth >= 1024 || targetHeight >= 768) {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.mediumXga;
-        } else if (targetWidth >= 800 || targetHeight >= 600) {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.mediumXga;
-        } else if (targetWidth >= 640 || targetHeight >= 480) {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.smallVga;
-        } else if (targetWidth >= 320 || targetHeight >= 240) {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.verySmallQvga;
-        } else {
-            cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.highestAvailable;
-        }
-        
-        cameraCaptureUI.captureFileAsync(Windows.Media.Capture.CameraCaptureUIMode.photo).then(function (picture) {
-            if (picture) {
-                // save to photo album successCallback
-                var success = function (fileEntry) {
-                    if (destinationType == Camera.DestinationType.FILE_URI) {
-                        if (targetHeight > 0 && targetWidth > 0) {
-                            resizeImage(picture);
-                        } else {
-                            Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-                                picture.copyAsync(storageFolder, picture.name, Windows.Storage.NameCollisionOption.replaceExisting).then(function (storageFile) {
-                                    successCallback(storageFile.name);
-                                }, function () {
-                                    fail(FileError.INVALID_MODIFICATION_ERR);
-                                }, function () {
-                                    errorCallback("Folder not access.");
-                                });
-                            })
-                        }
-                    } else {
-                        if (targetHeight > 0 && targetWidth > 0) {
-                            resizeImageBase64(picture);
-                        } else {
-                            Windows.Storage.FileIO.readBufferAsync(picture).done(function (buffer) {
-                                var strBase64 = Windows.Security.Cryptography.CryptographicBuffer.encodeToBase64String(buffer);
-                                successCallback(strBase64);
-                            })
-                        }
-                    }
-                }
-                // save to photo album errorCallback
-                var fail = function () {
-                    //errorCallback("FileError, code:" + fileError.code);
-                    errorCallback("Save fail.");
-                }
-
-                if (saveToPhotoAlbum) {
-                    Windows.Storage.StorageFile.getFileFromPathAsync(picture.path).then(function (storageFile) {
-                        storageFile.copyAsync(Windows.Storage.KnownFolders.picturesLibrary, picture.name, Windows.Storage.NameCollisionOption.generateUniqueName).then(function (storageFile) {
-                            success(storageFile);
-                        }, function () {
-                            fail();
-                        })
-                    })
-                    //var directory = new DirectoryEntry("Pictures", parentPath);
-                    //new FileEntry(picture.name, picture.path).copyTo(directory, null, success, fail);
-                } else {
-                    if (destinationType == Camera.DestinationType.FILE_URI) {
-                        if (targetHeight > 0 && targetWidth > 0) {
-                            resizeImage(picture);
-                        } else {
-                            Windows.Storage.StorageFolder.getFolderFromPathAsync(packageId.path).done(function (storageFolder) {
-                                picture.copyAsync(storageFolder, picture.name, Windows.Storage.NameCollisionOption.replaceExisting).then(function (storageFile) {
-                                    successCallback(storageFile.name);
-                                }, function () {
-                                    fail(FileError.INVALID_MODIFICATION_ERR);
-                                }, function () {
-                                    errorCallback("Folder not access.");
-                                });
-                            })
-                        }
-                    } else {
-                        if (targetHeight > 0 && targetWidth > 0) {
-                            resizeImageBase64(picture);
-                        } else {
-                            Windows.Storage.FileIO.readBufferAsync(picture).done(function (buffer) {
-                                var strBase64 = Windows.Security.Cryptography.CryptographicBuffer.encodeToBase64String(buffer);
-                                successCallback(strBase64);
-                            })
-                        }
-                    }
-                }
-            } else {
-                errorCallback("User didn't capture a photo.");
-            }
-        }, function () {
-            errorCallback("Fail to capture a photo.");
-        })
-    }
-};
-
-if (typeof navigator.camera === "undefined") {
-    navigator.camera = new Camera();
-} /**
- * Encapsulates all audio capture operation configuration options.
- */
-function CaptureAudioOptions() {
-    // Upper limit of sound clips user can record. Value must be equal or greater than 1.
-    this.limit = 1;
-    // Maximum duration of a single sound clip in seconds.
-    this.duration = 0;
-    // The selected audio mode. Must match with one of the elements in supportedAudioModes array.
-    this.mode = null;
-};
-
- /**
- * The CaptureError interface encapsulates all errors in the Capture API.
- */
-function CaptureError(c) {
-    this.code = c || null;
-};
-
-// Camera or microphone failed to capture image or sound.
-CaptureError.CAPTURE_INTERNAL_ERR = 0;
-// Camera application or audio capture application is currently serving other capture request.
-CaptureError.CAPTURE_APPLICATION_BUSY = 1;
-// Invalid use of the API (e.g. limit parameter has value less than one).
-CaptureError.CAPTURE_INVALID_ARGUMENT = 2;
-// User exited camera application or audio capture application before capturing anything.
-CaptureError.CAPTURE_NO_MEDIA_FILES = 3;
-// The requested capture operation is not supported.
-CaptureError.CAPTURE_NOT_SUPPORTED = 20;
-
-
- /**
- * Encapsulates all image capture operation configuration options.
- */
-function CaptureImageOptions() {
-    // Upper limit of images user can take. Value must be equal or greater than 1.
-    this.limit = 1;
-    // The selected image mode. Must match with one of the elements in supportedImageModes array.
-    this.mode = null;
-};
-
-
- /**
- * Encapsulates all video capture operation configuration options.
- */
-function CaptureVideoOptions() {
-    // Upper limit of videos user can record. Value must be equal or greater than 1.
-    this.limit = 1;
-    // Maximum duration of a single video clip in seconds.
-    this.duration = 0;
-    // The selected video mode. Must match with one of the elements in supportedVideoModes array.
-    this.mode = null;
-};
-
-/**
- * Represents a single file.
- *
- * name {DOMString} name of the file, without path information
- * fullPath {DOMString} the full path of the file, including the name
- * type {DOMString} mime type
- * lastModifiedDate {Date} last modified date
- * size {Number} size of the file in bytes
- */
-function MediaFile(name, fullPath, type, lastModifiedDate, size) {
-    MediaFile.__super__.constructor.apply(this, arguments);
-};
-
-utils.extend(MediaFile, File);
-
-/**
- * Request capture format data for a specific file and type
- *
- * @param {Function} successCB
- * @param {Function} errorCB
- */
-MediaFile.prototype.getFormatData = function (successCallback, errorCallback) {
-    var contentType = this.type;
-    if (typeof this.fullPath === "undefined" || this.fullPath === null) {
-        errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-    } else {
-        Windows.Storage.StorageFile.getFileFromPathAsync(this.fullPath).then(function (storageFile) {
-            var mediaTypeFlag = String(contentType).split("/")[0].toLowerCase();
-            if (mediaTypeFlag === "audio") {
-                storageFile.properties.getMusicPropertiesAsync().then(function (audioProperties) {
-                    successCallback(new MediaFileData(null, audioProperties.bitrate, 0, 0, audioProperties.duration/1000));
-                }, function () {
-                    errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-                })
-            }
-            else if (mediaTypeFlag === "video") {
-                storageFile.properties.getVideoPropertiesAsync().then(function (videoProperties) {
-                    successCallback(new MediaFileData(null, videoProperties.bitrate, videoProperties.height, videoProperties.width, videoProperties.duration/1000));
-                }, function () {
-                    errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-                })
-            }
-            else if (mediaTypeFlag === "image") {
-                storageFile.properties.getImagePropertiesAsync().then(function (imageProperties) {
-                    successCallback(new MediaFileData(null, 0, imageProperties.height, imageProperties.width, 0));
-                }, function () {
-                    errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-                })
-            }
-            else { errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT)) }
-        }, function () {
-            errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-        })
-    }
-};
-
-/**
- * MediaFileData encapsulates format information of a media file.
- *
- * @param {DOMString} codecs
- * @param {long} bitrate
- * @param {long} height
- * @param {long} width
- * @param {float} duration
- */
-function MediaFileData (codecs, bitrate, height, width, duration) {
-    this.codecs = codecs || null;
-    this.bitrate = bitrate || 0;
-    this.height = height || 0;
-    this.width = width || 0;
-    this.duration = duration || 0;
-};
-/**
- * The Capture interface exposes an interface to the camera and microphone of the hosting device.
- */
-function Capture() {
-    this.supportedAudioModes = [];
-    this.supportedImageModes = ["image/jpeg", "image/png"];
-    this.supportedVideoModes = ["video/mp4", "video/wmv"];
-}
-
-/**
- * Launch audio recorder application for recording audio clip(s).
- *
- * @param {Function} successCB
- * @param {Function} errorCB
- * @param {CaptureAudioOptions} options
- */
-
-// No UI support. The duration of the audio recording.
-var cameraCaptureAudioDuration;
-Capture.prototype.captureAudio = function (successCallback, errorCallback, options) {
-    var audioOptions = new CaptureAudioOptions();
-    if (options.duration && options.duration > 0) {
-        audioOptions.duration = options.duration;
-        cameraCaptureAudioDuration = audioOptions.duration;
-    } else {
-        errorCallback(new CaptureError(CaptureError.CAPTURE_INVALID_ARGUMENT));
-        return;
-    }
-    var mediaCaputreSettings;
-    var initCaptureSettings = function () {
-        mediaCaputreSettings = null;
-        mediaCaputreSettings = new Windows.Media.Capture.MediaCaptureInitializationSettings();
-        mediaCaputreSettings.streamingCaptureMode = Windows.Media.Capture.StreamingCaptureMode.audio;
-    }
-    initCaptureSettings();
-    var mediaCapture = new Windows.Media.Capture.MediaCapture();
-    mediaCapture.initializeAsync(mediaCaputreSettings).done(function () {
-        Windows.Storage.KnownFolders.musicLibrary.createFileAsync("captureAudio.mp3", Windows.Storage.NameCollisionOption.generateUniqueName).then(function (storageFile) {
-            var mediaEncodingProfile = new Windows.Media.MediaProperties.MediaEncodingProfile.createMp3(Windows.Media.MediaProperties.AudioEncodingQuality.auto);
-            var stopRecord = function () {
-                mediaCapture.stopRecordAsync().then(function (result) {
-                    storageFile.getBasicPropertiesAsync().then(function (basicProperties) {
-                        successCallback(new MediaFile(storageFile.name, storageFile.path, storageFile.contentType, basicProperties.dateModified, basicProperties.size));
-                    }, function () {
-                        errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES));
-                    })
-                }, function () { errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES)); })
-            }
-            mediaCapture.startRecordToStorageFileAsync(mediaEncodingProfile, storageFile).then(function () {
-                setTimeout(stopRecord, cameraCaptureAudioDuration*1000);
-            }, function () { errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES)); })
-        }, function () { errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES)); })
-    })
-};
-
-/**
- * Launch camera application for taking image(s).
- *
- * @param {Function} successCB
- * @param {Function} errorCB
- * @param {CaptureImageOptions} options
- */
-Capture.prototype.captureImage = function (successCallback, errorCallback, options) {
-    var imageOptions = new CaptureImageOptions();
-    var cameraCaptureUI = new Windows.Media.Capture.CameraCaptureUI();
-    cameraCaptureUI.photoSettings.allowCropping = true;
-    cameraCaptureUI.photoSettings.maxResolution = Windows.Media.Capture.CameraCaptureUIMaxPhotoResolution.highestAvailable;
-    cameraCaptureUI.photoSettings.format = Windows.Media.Capture.CameraCaptureUIPhotoFormat.jpeg;
-    cameraCaptureUI.captureFileAsync(Windows.Media.Capture.CameraCaptureUIMode.photo).then(function (file) {
-        file.moveAsync(Windows.Storage.KnownFolders.picturesLibrary, "cameraCaptureImage.jpg", Windows.Storage.NameCollisionOption.generateUniqueName).then(function () {
-            file.getBasicPropertiesAsync().then(function (basicProperties) {
-                successCallback(new MediaFile(file.name, file.path, file.contentType, basicProperties.dateModified, basicProperties.size));
-            }, function () {
-                errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES));
-            })
-        }, function () {
-            errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES));
-        });
-    }, function () { errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES)); })
-};
-
-/**
- * Launch device camera application for recording video(s).
- *
- * @param {Function} successCB
- * @param {Function} errorCB
- * @param {CaptureVideoOptions} options
- */
-Capture.prototype.captureVideo = function (successCallback, errorCallback, options) {
-    var videoOptions = new CaptureVideoOptions();
-    if (options.duration && options.duration > 0) {
-        videoOptions.duration = options.duration;
-    }
-    if (options.limit > 1) {
-        videoOptions.limit = options.limit;
-    }
-    var cameraCaptureUI = new Windows.Media.Capture.CameraCaptureUI();
-    cameraCaptureUI.videoSettings.allowTrimming = true;
-    cameraCaptureUI.videoSettings.format = Windows.Media.Capture.CameraCaptureUIVideoFormat.mp4;
-    cameraCaptureUI.videoSettings.maxDurationInSeconds = videoOptions.duration;
-    cameraCaptureUI.captureFileAsync(Windows.Media.Capture.CameraCaptureUIMode.video).then(function (file) {
-        file.moveAsync(Windows.Storage.KnownFolders.videosLibrary, "cameraCaptureVedio.mp4", Windows.Storage.NameCollisionOption.generateUniqueName).then(function () {
-            file.getBasicPropertiesAsync().then(function (basicProperties) {
-                successCallback(new MediaFile(file.name, file.path, file.contentType, basicProperties.dateModified, basicProperties.size));
-            }, function () {
-                errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES));
-            })
-        }, function () {
-            errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES));
-        });
-    }, function () { errorCallback(new CaptureError(CaptureError.CAPTURE_NO_MEDIA_FILES)); })
-};
-
-
-/**
- * Encapsulates a set of parameters that the capture device supports.
- */
-function ConfigurationData() {
-    // The ASCII-encoded string in lower case representing the media type.
-    this.type = null;
-    // The height attribute represents height of the image or video in pixels.
-    // In the case of a sound clip this attribute has value 0.
-    this.height = 0;
-    // The width attribute represents width of the image or video in pixels.
-    // In the case of a sound clip this attribute has value 0
-    this.width = 0;
-}
-
-// Just for test(because of the unimplementation of channnel and device)
-function Device() { }
-
-if (typeof navigator.device === "undefined") {
-    navigator.device = new Device();
-}
-
-if (typeof navigator.device.capture === "undefined") {
-    navigator.device.capture = new Capture();
-}/**
- * This class contains compass information.
- * @param {Object} magnHead		Magnetic heading
- * @param {Object} trueHead		True heading
- * @param {Object} headAcc		Heading accuracy
- * @param {Object} timeSt		Timestamp
- */
-function CompassHeading(magnHead, trueHead, headAcc, timeSt) {
-    /**
-	 * The magnetic north heading of the compass.
-	 */
-    this.magneticHeading = magnHead || 0;
-    /**
-	 * The heading of the compass relative to the geographic North Pole.
-	 */
-    this.trueHeading = trueHead || this.magneticHeading;
-    /**
-	 * The deviation between the report heading and the true heading of the compass.
-	 */
-    this.headingAccuracy = headAcc || 0;
-    /**
-	 * The time at which the heading was determined.
-	 */
-    this.timestamp = (timeSt !== undefined) ? timeSt : new Date().getTime(); // need to check the validity of this statment
-};
-
-/**
- * Compass error object
- *
- * @constructor
- * @param code
- */
-function CompassError(code) {
-    this.code = code || null;
-};
-
-CompassError.COMPASS_INTERNAL_ERR = 0;
-CompassError.COMPASS_NOT_SUPPORTED = 20;
-
-var compassTimers = {};	// list of timers in use
-
-// Returns default params, overrides if provided with values
-function compassOptions(options) {
-    var opt = {
-        frequency: 100
-    };
-
-    if (options) {
-        if (options.frequency !== undefined) {
-            opt.frequency = options.frequency;
-        }
-    }
-    return opt;
-};
-
-/**
- * This class provides access to device compass data.
- * @constructor
- */
-function Compass() { }
-
-
-/**
- * Aquires the current compass data
- *
- * @param {Function} successCallback	The function to call when the compass data is available.
- * @param {Function} errorCallback		The function to call when there is an error getting the compass data.
- * @param {CompassOptions} options		The option for getting compass data.
- */
-Compass.prototype.getCurrentHeading = function (successCallback, errorCallback, options) {
-
-    // options = compassOptions(options);		This is not needed as options are not used.
-    var win = function (c) {
-        successCallback(new CompassHeading(c.headingMagneticNorth,
-        									 c.headingTrueNorth,
-			    							(c.headingMagneticNorth - c.headingTrueNorth),
-			    							 c.timestamp.getTime()
-						)
-		)
-    };
-    var fail = function (e) {
-        errorCallback(new CompassError(e));
-    };
-
-    var comp = Windows.Devices.Sensors.Compass.getDefault()
-    var reading = comp.getCurrentReading();
-
-    if (reading) {
-        win(reading);
-    } else {
-        fail(CompassError.COMPASS_INTERNAL_ERR);
-    };
-}
-
-/**
- * Watches the compass for changes to the heading. When a change occures, the
- * compassSuccess is called with the new heading
- *
- * @param {Function} successCallback	The function to call each time compass data is available
- * @param {Function} errorCallback		The function to call when there is an error retreiving the heading
- * @param {compassOptions} options	    The options for getting the compass heading (OPTIONAL)
- * @return String						The watch id that must be passed to #clearWatch
- */
-Compass.prototype.watchHeading = function (successCallback, errorCallback, options) {
-    options = compassOptions(options);
-    var minimumReportInterval = this.minimumReportInterval;
-	if (options.frequency < minimumReportInterval) {
-		options.frequency < minimumReportInterval;
-	}
-
-	var thisComp = this;
-    var id = createUUID();
-    compassTimers[id] = window.setInterval(function () {
-        thisComp.getCurrentHeading(successCallback, errorCallback, options);
-    }, options.frequency);
-
-    return id;
-};
-
-/**
- * Clears the specified heading watch.
- *
- * @param {String} watchId   The ID of the watch returned from #watchHeading
- */
-
-Compass.prototype.clearWatch = function (watchId) {
-    if ((watchId !== undefined) && (compassTimers[watchId] !== undefined)) {
-        window.clearInterval(compassTimers[watchId]);
-        delete compassTimers[watchId];
-    }
-}
-
-if (typeof navigator.compass == "undefined") {
-    // Win RT support of the object compas, and is Read-Only. So for test, must change the methods of the object
-    //navigator.compass.getCurrentHeading = new compass().getCurrentHeading;
-    //navigator.compass.clearWatch = new compass().clearWatch;
-    //navigator.compass.watchPosition = new compass().watchHeading; */
-    navigator.compass = new Compass();
-
-}var device = function () {
-
-    //this.name = ;
-    // Windows.Networking.Connectivity.NetworkInformation.GetHostNames()
-    this.cordova = "1.7.0";
-
-    // Gets the OS
-    this.platform = "Win8";
-
-    // this.uuid = ;			Not possible with current Metro apps
-
-    // this.version = ;			Not possible with current Metro apps
-};/** fireEvent fires off event to target
- *    name specifies the name of the vent
- *    type specifies type of event
- *      HTMLEvents
- *      KeyEvents
- *      MouseEvents
- *      MutationEvents
- *      UIEvents
- */
-function fireEvent(name, target, type) {
-    var evt = target.createEvent(type);
-
-    evt.initEvent(name, true, true);
-
-    target.dispatchEvent(evt);
-};var Metadata = function (time) {
-    this.modificationTime = (typeof time != 'undefined' ? new Date(time) : null);
-};
-
-var FileSystemPersistentRoot = (function () {
-    var filePath = Windows.Storage.ApplicationData.current.localFolder.path;
-    return filePath;
-}());
-
-var FileSystemTemproraryRoot = (function () {
-    var filePath = Windows.Storage.ApplicationData.current.temporaryFolder.path;
-    return filePath;
-}());
-
-
-
-function LocalFileSystem() {
-};
-LocalFileSystem.TEMPORARY = 0;
-LocalFileSystem.PERSISTENT = 1;
-
-
-
- /**
- * Look up file system Entry referred to by local URI.
- * @param {DOMString} uri  URI referring to a local file or directory
- * @param successCallback  invoked with Entry object corresponding to URI
- * @param errorCallback    invoked if error occurs retrieving file system entry
- */
-function resolveLocalFileSystemURI (uri, successCallback, errorCallback) {
-        // error callback
-    var fail = function(error) {
-        if (typeof errorCallback === 'function') {
-            errorCallback(new FileError(error));
-        }
-    };
-    // if successful, return either a file or directory entry
-    var success = function(entry) {
-        var result;
-
-        if (entry) {
-            if (typeof successCallback === 'function') {
-                // create appropriate Entry object
-                result = (entry.isDirectory) ? new DirectoryEntry(entry.name, entry.fullPath) : new FileEntry(entry.name, entry.fullPath);
-                try {
-                    successCallback(result);
-                }
-                catch (e) {
-                    console.log('Error invoking callback: ' + e);
-                }
-            }
-        }
-        else {
-            
-            // no Entry object returned
-            fail(FileError.NOT_FOUND_ERR);
-        }
-    };
-
-    var path = uri;
-    path = path.split(" ").join("\ ");
-
-    // support for file name with parameters
-    if (/\?/g.test(path)) {
-        path = String(path).split("\?")[0];
-    };
-
-    // support for encodeURI
-    if (/\%5/g.test(path)) {
-        path = decodeURI(path);
-    };
-    
-    // support for special path start with file:/// 
-    if (path.substr(0, 8) == "file:///") {
-        path = FileSystemPersistentRoot + "\\" + String(path).substr(8).split("/").join("\\");
-        Windows.Storage.StorageFile.getFileFromPathAsync(path).then(
-            function (storageFile) {
-                success(new FileEntry(storageFile.name, storageFile.path));
-            },
-            function () {
-                Windows.Storage.StorageFolder.getFolderFromPathAsync(path).then(
-                    function (storageFolder) {
-                        success(new DirectoryEntry(storageFolder.name, storageFolder.path));
-                    },
-                    function () {
-                        fail(FileError.NOT_FOUND_ERR);
-                    }
-                )
-            }
-        )
-    } else {
-        Windows.Storage.StorageFile.getFileFromPathAsync(path).then(
-            function (storageFile) {
-                success(new FileEntry(storageFile.name, storageFile.path));
-            },
-            function () {
-                Windows.Storage.StorageFolder.getFolderFromPathAsync(path).then(
-                    function (storageFolder) {
-                        success(new DirectoryEntry(storageFolder.name, storageFolder.path));
-                    },
-                    function () {
-                        fail(FileError.ENCODING_ERR);
-                    }
-                )
-            }
-        )
-    }
-};
-
-function requestFileSystem(type, size, successCallback, errorCallback) {
-    var fail = function (code) {
-        if (typeof errorCallback === 'function') {
-            errorCallback(new FileError(code));
-        }
-    };
-
-    if (type < 0 || type > 3) {
-        fail(FileError.SYNTAX_ERR);
-        return;
-    }
-
-    // if successful, return a FileSystem object
-    var success = function (file_system) {
-        if (file_system) {
-            if (typeof successCallback === 'function') {
-                // grab the name and root from the file system object
-                var result = new FileSystem(file_system.name, file_system.root);
-                successCallback(result);
-            }
-        }
-        else {
-            // no FileSystem object returned
-            fail(FileError.NOT_FOUND_ERR);
-        }
-    };
-
-    var filePath = "";
-    var result = null;
-    var fsTypeName = "";
-
-    switch (type) {
-        case LocalFileSystem.TEMPORARY:
-            filePath = FileSystemTemproraryRoot;
-            fsTypeName = "temporary";
-            break;
-        case LocalFileSystem.PERSISTENT:
-            filePath = FileSystemPersistentRoot;
-            fsTypeName = "persistent";
-            break;
-    }
-
-    var MAX_SIZE = 10000000000;
-    if (size > MAX_SIZE) {
-        fail(FileError.QUOTA_EXCEEDED_ERR);
-        return;
-    }
-
-    var fileSystem = new FileSystem(fsTypeName, new DirectoryEntry(fsTypeName, filePath));
-    result = fileSystem;
-    success(result);
-}
-
-
-
-function FileSystem(name, root) {
-    this.name = name || null;
-    if (root) {
-        this.root = new DirectoryEntry(root.name, root.fullPath);
-    }
-};
-
-
-function FileError(error) {
-    this.code = error || null;
-}
-
-// File error codes
-// Found in DOMException
-FileError.NOT_FOUND_ERR = 1;
-FileError.SECURITY_ERR = 2;
-FileError.ABORT_ERR = 3;
-
-// Added by File API specification
-FileError.NOT_READABLE_ERR = 4;
-FileError.ENCODING_ERR = 5;
-FileError.NO_MODIFICATION_ALLOWED_ERR = 6;
-FileError.INVALID_STATE_ERR = 7;
-FileError.SYNTAX_ERR = 8;
-FileError.INVALID_MODIFICATION_ERR = 9;
-FileError.QUOTA_EXCEEDED_ERR = 10;
-FileError.TYPE_MISMATCH_ERR = 11;
-FileError.PATH_EXISTS_ERR = 12;
-
-
-function File(name, fullPath, type, lastModifiedDate, size) {
-    this.name = name || '';
-    this.fullPath = fullPath || null;
-    this.type = type || null;
-    this.lastModifiedDate = lastModifiedDate || null;
-    this.size = size || 0;
-};
-
-function Flags(create, exclusive) {
-    this.create = create || false;
-    this.exclusive = exclusive || false;
-}
-
-
-
-/**
- * Represents a file or directory on the local file system.
- *
- * @param isFile
- *            {boolean} true if Entry is a file (readonly)
- * @param isDirectory
- *            {boolean} true if Entry is a directory (readonly)
- * @param name
- *            {DOMString} name of the file or directory, excluding the path
- *            leading to it (readonly)
- * @param fullPath
- *            {DOMString} the absolute full path to the file or directory
- *            (readonly)
- */
-function Entry(isFile, isDirectory, name, fullPath, fileSystem) {
-    this.isFile = (typeof isFile != 'undefined' ? isFile : false);
-    this.isDirectory = (typeof isDirectory != 'undefined' ? isDirectory : false);
-    this.name = name || '';
-    this.fullPath = fullPath || '';
-    this.filesystem = fileSystem || null;
-}
-
-/**
- * Look up the metadata of the entry.
- *
- * @param successCallback
- *            {Function} is called with a Metadata object
- * @param errorCallback
- *            {Function} is called with a FileError
- */
-Entry.prototype.getMetadata = function (successCallback, errorCallback) {
-    var success = typeof successCallback !== 'function' ? null : function (lastModified) {
-        var metadata = new Metadata(lastModified);
-        successCallback(metadata);
-    };
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-
-    if (this.isFile) {
-        Windows.Storage.StorageFile.getFileFromPathAsync(this.fullPath).done(
-            function (storageFile) {
-                storageFile.getBasicPropertiesAsync().then(
-                    function (basicProperties) {
-                        success(basicProperties.dateModified);
-                    },
-                    function () {
-                        fail(FileError.NOT_READABLE_ERR);
-                    }
-                )
-            },
-            function () {
-                fail(FileError.NOT_READABLE_ERR);
-            }
-        )
-    }
-
-    if (this.isDirectory) {
-        Windows.Storage.StorageFolder.getFolderFromPathAsync(this.fullPath).done(
-            function (storageFolder) {
-                storageFolder.getBasicPropertiesAsync().then(
-                    function (basicProperties) {
-                        success(basicProperties.dateModified);
-                    },
-                    function () {
-                        fail(FileError.NOT_FOUND_ERR);
-                    }
-                );
-            },
-            function () {
-                fail(FileError.NOT_READABLE_ERR);
-            }
-        )
-    }
-   
-};
-
-
-
-
-/**
- * Move a file or directory to a new location.
- *
- * @param parent
- *            {DirectoryEntry} the directory to which to move this entry
- * @param newName
- *            {DOMString} new name of the entry, defaults to the current name
- * @param successCallback
- *            {Function} called with the new DirectoryEntry object
- * @param errorCallback
- *            {Function} called with a FileError
- */
-Entry.prototype.moveTo = function (parent, newName, successCallback, errorCallback) {
-    var fail = function (code) {
-        if (typeof errorCallback === 'function') {
-            errorCallback(new FileError(code));
-        }
-    };
-
-
-    // user must specify parent Entry
-    if (!parent) {
-        fail(FileError.NOT_FOUND_ERR);
-        return;
-    }
-    // source path
-    var srcPath = this.fullPath,
-        // entry name
-        name = newName || this.name,
-        success = function (entry) {
-            if (entry) {
-                if (typeof successCallback === 'function') {
-                    // create appropriate Entry object
-                    var result = (entry.isDirectory) ? new DirectoryEntry(entry.name, entry.fullPath) : new FileEntry(entry.name, entry.fullPath);
-                    try {
-                        successCallback(result);
-                    }
-                    catch (e) {
-                        console.log('Error invoking callback: ' + e);
-                    }
-                }
-            }
-            else {
-                // no Entry object returned
-                fail(FileError.NOT_FOUND_ERR);
-            }
-        };
-    
-    //name can't be invalid
-    if (/\?|\\|\*|\||\"|<|>|\:|\//g.test(name)) {
-        fail(FileError.ENCODING_ERR);
-        return;
-    };
-
-    var moveFiles = "";
-    if (this.isFile) {
-        moveFiles = function (srcPath, parentPath) {
-            Windows.Storage.StorageFile.getFileFromPathAsync(srcPath).then(function (storageFile) {
-                Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath).then(function (storageFolder) {
-                    storageFile.moveAsync(storageFolder, name, Windows.Storage.NameCollisionOption.replaceExisting).then(function () {
-                        success(new FileEntry(name, storageFile.path));
-                    }, function () {
-                        fail(FileError.INVALID_MODIFICATION_ERR);
-                    });
-                }, function () {
-                    fail(FileError.NOT_FOUND_ERR);
-                });
-            },function () {
-                fail(FileError.NOT_FOUND_ERR);
-            })
-        };
-    }
-
-    if (this.isDirectory) {
-        moveFiles = eval(Jscex.compile('promise', function (srcPath, parentPath) {
-            var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(srcPath));
-            var fileList =  $await(storageFolder.createFileQuery().getFilesAsync()); 
-            if (fileList) {
-                for (var i = 0; i < fileList.length; i++) {
-                    var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                    $await(fileList[i].moveAsync(storageFolder));
-                }
-            }       
-            var folderList = $await(storageFolder.createFolderQuery().getFoldersAsync());
-            if (folderList.length == 0) { 
-                //storageFolder.deleteAsync(); 
-            } 
-            else{
-                for(var j = 0; j < folderList.length; j++){
-                    var storageFolderTarget = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                    var targetFolder = $await(storageFolderTarget.createFolderAsync(folderList[j].name));
-                    $await(moveFiles(folderList[j].path, targetFolder.path));
-                }
-            }    
-             
-        }))
-    }
-   
-    // move
-    var isDirectory = this.isDirectory;
-    var isFile = this.isFile;
-    var moveFinish = eval(Jscex.compile("promise", function (srcPath, parentPath) {
-
-        if (isFile) {
-            //can't copy onto itself
-            if (srcPath == parentPath + "\\" + name) {
-                fail(FileError.INVALID_MODIFICATION_ERR);
-                return;
-            }
-            moveFiles(srcPath, parent.fullPath);
-        }
-        if (isDirectory) {
-            var originFolder = null;
-            var storageFolder = null;
-            try {
-                originFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(srcPath));
-                storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                var newStorageFolder = $await(storageFolder.createFolderAsync(name, Windows.Storage.CreationCollisionOption.openIfExists));
-                //can't move onto directory that is not empty
-                var fileList = $await(newStorageFolder.createFileQuery().getFilesAsync());
-                var folderList = $await(newStorageFolder.createFolderQuery().getFoldersAsync());
-                if (fileList.length != 0 || folderList.length != 0) {
-                    fail(FileError.INVALID_MODIFICATION_ERR);
-                    return;
-                }
-                //can't copy onto itself
-                if (srcPath == newStorageFolder.path) {
-                    fail(FileError.INVALID_MODIFICATION_ERR);
-                    return;
-                }
-                //can't copy into itself
-                if (srcPath == parentPath) {
-                    fail(FileError.INVALID_MODIFICATION_ERR);
-                    return;
-                }
-                $await(moveFiles(srcPath, newStorageFolder.path));
-                var successCallback = function () { success(new DirectoryEntry(name, newStorageFolder.path)); }
-                new DirectoryEntry(originFolder.name, originFolder.path).removeRecursively(successCallback, fail);
-                
-            } catch (e) {
-               fail(FileError.INVALID_MODIFICATION_ERR);
-            }
-        }
-    }));
-    
-    moveFinish(srcPath, parent.fullPath);
-    
-};
-
-
-
-/**
- * Copy a directory to a different location.
- *
- * @param parent
- *            {DirectoryEntry} the directory to which to copy the entry
- * @param newName
- *            {DOMString} new name of the entry, defaults to the current name
- * @param successCallback
- *            {Function} called with the new Entry object
- * @param errorCallback
- *            {Function} called with a FileError
- */
-Entry.prototype.copyTo = function (parent, newName, successCallback, errorCallback) {
-    var fail = function (code) {
-        if (typeof errorCallback === 'function') {
-            errorCallback(new FileError(code));
-        }
-    };
-
-    // user must specify parent Entry
-    if (!parent) {
-        fail(FileError.NOT_FOUND_ERR);
-        return;
-    }
-    
-
-    // source path
-    var srcPath = this.fullPath,
-        // entry name
-        name = newName || this.name,
-        // success callback
-        success = function (entry) {
-            if (entry) {
-                if (typeof successCallback === 'function') {
-                    // create appropriate Entry object
-                    var result = (entry.isDirectory) ? new DirectoryEntry(entry.name, entry.fullPath) : new FileEntry(entry.name, entry.fullPath);
-                    try {
-                        successCallback(result);
-                    }
-                    catch (e) {
-                        console.log('Error invoking callback: ' + e);
-                    }
-                }
-            }
-            else {
-                // no Entry object returned
-                fail(FileError.NOT_FOUND_ERR);
-            }
-        };
-    //name can't be invalid
-    if (/\?|\\|\*|\||\"|<|>|\:|\//g.test(name)) {
-        fail(FileError.ENCODING_ERR);
-        return;
-    };
-    // copy
-    var copyFiles = "";
-    if (this.isFile) {
-        copyFiles = function (srcPath, parentPath) {
-            Windows.Storage.StorageFile.getFileFromPathAsync(srcPath).then(function (storageFile) {
-                Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath).then(function (storageFolder) {
-                    storageFile.copyAsync(storageFolder, name, Windows.Storage.NameCollisionOption.failIfExists).then(function (storageFile) {
-                        
-                        success(new FileEntry(storageFile.name, storageFile.path));
-                    }, function () {
-                       
-                        fail(FileError.INVALID_MODIFICATION_ERR);
-                    });
-                }, function () {
-                    
-                    fail(FileError.NOT_FOUND_ERR);
-                });
-            }, function () {
-               
-                fail(FileError.NOT_FOUND_ERR);
-            })
-        };
-    }
-
-    if (this.isDirectory) {
-        copyFiles = eval(Jscex.compile('promise', function (srcPath, parentPath) {
-            var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(srcPath));
-            var fileList = $await(storageFolder.createFileQuery().getFilesAsync());
-            if (fileList) {
-                for (var i = 0; i < fileList.length; i++) {
-                    var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                    $await(fileList[i].copyAsync(storageFolder));
-                }
-            }
-            var folderList = $await(storageFolder.createFolderQuery().getFoldersAsync());
-            if (folderList.length == 0) {}
-            else {
-                for (var j = 0; j < folderList.length; j++) {
-                    var storageFolderTarget = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                    var targetFolder = $await(storageFolderTarget.createFolderAsync(folderList[j].name));
-                    $await(copyFiles(folderList[j].path, targetFolder.path));
-                }
-            }
-
-        }))
-        
-    }
-
-    // copy
-    var isFile = this.isFile;
-    var isDirectory = this.isDirectory;
-    var copyFinish = eval(Jscex.compile("promise", function (srcPath, parentPath) {
-        if (isFile) {
-            copyFiles(srcPath, parentPath);
-        }
-        if (isDirectory) {
-            try {
-                var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(parentPath));
-                var newStorageFolder = $await(storageFolder.createFolderAsync(name, Windows.Storage.CreationCollisionOption.openIfExists));
-                //can't copy onto itself
-                if (srcPath == newStorageFolder.path) {
-                    fail(FileError.INVALID_MODIFICATION_ERR);
-                    return;
-                }
-                //can't copy into itself
-                if (srcPath == parentPath) {
-                    fail(FileError.INVALID_MODIFICATION_ERR);
-                    return;
-                }
-                $await(copyFiles(srcPath, newStorageFolder.path));
-                Windows.Storage.StorageFolder.getFolderFromPathAsync(newStorageFolder.path).done(function (storageFolder) {
-                    success(new DirectoryEntry(storageFolder.name, storageFolder.path));
-                },
-                function () { fail(FileError.NOT_FOUND_ERR) })
-            } catch (e) {
-                
-                fail(FileError.INVALID_MODIFICATION_ERR)
-            }
-            
-        }
-    }));
-    copyFinish(srcPath, parent.fullPath);
-};
-
-/**
- * Return a URL that can be used to identify this entry.
- */
-Entry.prototype.toURL = function () {
-    // fullPath attribute contains the full URL
-    return this.fullPath;
-};
-
-/**
- * Returns a URI that can be used to identify this entry.
- *
- * @param {DOMString} mimeType for a FileEntry, the mime type to be used to interpret the file, when loaded through this URI.
- * @return uri
- */
-Entry.prototype.toURI = function (mimeType) {
-    console.log("DEPRECATED: Update your code to use 'toURL'");
-    // fullPath attribute contains the full URI
-    return this.fullPath;
-};
-
-/**
- * Remove a file or directory. It is an error to attempt to delete a
- * directory that is not empty. It is an error to attempt to delete a
- * root directory of a file system.
- *
- * @param successCallback {Function} called with no parameters
- * @param errorCallback {Function} called with a FileError
- */
-Entry.prototype.remove = function (successCallback, errorCallback) {
-    
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        
-        errorCallback(new FileError(code));
-    };
-    if (this.isFile) {
-        Windows.Storage.StorageFile.getFileFromPathAsync(this.fullPath).done(function (storageFile) {
-            storageFile.deleteAsync().done(successCallback, function () {
-                fail(FileError.INVALID_MODIFICATION_ERR);
-
-            });
-        });
-    }
-    if (this.isDirectory) {
-       
-        var fullPath = this.fullPath;
-        var removeEntry = eval(Jscex.compile('promise', function () {
-            var storageFolder = null;
-            try {
-                storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(fullPath));
-                
-                //FileSystem root can't be removed!
-                var storageFolderPer = Windows.Storage.ApplicationData.current.localFolder;
-                var storageFolderTem = Windows.Storage.ApplicationData.current.temporaryFolder;
-                if (fullPath == storageFolderPer.path || fullPath == storageFolderTem.path) {
-                    fail(FileError.NO_MODIFICATION_ALLOWED_ERR);
-                    return;
-                }
-                storageFolder.createFileQuery().getFilesAsync().then(function (fileList) {
-
-                    if (fileList.length == 0) {
-                        storageFolder.createFolderQuery().getFoldersAsync().then(function (folderList) {
-
-                            if (folderList.length == 0) {
-                                storageFolder.deleteAsync().done(successCallback, function () {
-                                    fail(FileError.INVALID_MODIFICATION_ERR);
-
-                                });
-                            } else {
-                                fail(FileError.INVALID_MODIFICATION_ERR);
-                            }
-                        })
-                    } else {
-                        fail(FileError.INVALID_MODIFICATION_ERR);
-                    }
-                });
-            }
-            catch (e) {
-               fail(FileError.INVALID_MODIFICATION_ERR);
-            }   
-            
-        }))
-        removeEntry();
-    }
-};
-
-/**
- * Look up the parent DirectoryEntry of this entry.
- *
- * @param successCallback {Function} called with the parent DirectoryEntry object
- * @param errorCallback {Function} called with a FileError
- */
-Entry.prototype.getParent = function (successCallback, errorCallback) {
-    var win = typeof successCallback !== 'function' ? null : function (result) {
-        var entry = new DirectoryEntry(result.name, result.fullPath);
-        successCallback(entry);
-    };
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-   
-    var fullPath = this.fullPath;
-    var getParentFinish = eval(Jscex.compile("promise", function () {
-        var storageFolderPer = Windows.Storage.ApplicationData.current.localFolder;
-        var storageFolderTem = Windows.Storage.ApplicationData.current.temporaryFolder;
-            
-            if (fullPath == FileSystemPersistentRoot) {
-                win(new DirectoryEntry(storageFolderPer.name, storageFolderPer.path));
-                return;
-            } else if (fullPath == FileSystemTemproraryRoot) {
-                win(new DirectoryEntry(storageFolderTem.name, storageFolderTem.path));
-                return;
-            }
-            var splitArr = fullPath.split(new RegExp(/\/|\\/g));
-            
-            var popItem = splitArr.pop();
-            
-            var result = new DirectoryEntry(popItem, fullPath.substr(0, fullPath.length - popItem.length - 1));
-            Windows.Storage.StorageFolder.getFolderFromPathAsync(result.fullPath).done(
-            function () { win(result) },
-            function () { fail(FileError.INVALID_STATE_ERR) });
-    }))
-    getParentFinish();
-    
-
-};
-
-
-
-
-
-function FileEntry(name, fullPath) {
-
-    FileEntry.__super__.constructor.apply(this, [true, false, name, fullPath]);
-  
-};
-utils.extend(FileEntry, Entry);
-/**
- * Creates a new FileWriter associated with the file that this FileEntry represents.
- *
- * @param {Function} successCallback is called with the new FileWriter
- * @param {Function} errorCallback is called with a FileError
- */
-
-FileEntry.prototype.createWriter = function (successCallback, errorCallback) {
-    this.file(function (filePointer) {
-        var writer = new FileWriter(filePointer);
-
-        if (writer.fileName === null || writer.fileName === "") {
-            if (typeof errorCallback === "function") {
-                errorCallback(new FileError(FileError.INVALID_STATE_ERR));
-            }
-        } else {
-            if (typeof successCallback === "function") {
-                successCallback(writer);
-            }
-        }
-    }, errorCallback);
-};
-
-/**
- * Returns a File that represents the current state of the file that this FileEntry represents.
- *
- * @param {Function} successCallback is called with the new File object
- * @param {Function} errorCallback is called with a FileError
- */
-FileEntry.prototype.file = function (successCallback, errorCallback) {
-    var win = typeof successCallback !== 'function' ? null : function (f) {
-        var file = new File(f.name, f.fullPath, f.type, f.lastModifiedDate, f.size);
-        successCallback(file);
-    };
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-    Windows.Storage.StorageFile.getFileFromPathAsync(this.fullPath).done(function (storageFile) {
-        storageFile.getBasicPropertiesAsync().then(function (basicProperties) {
-            win(new File(storageFile.name, storageFile.path, storageFile.fileType, basicProperties.dateModified, basicProperties.size));
-        }, function () {
-            fail(FileError.NOT_READABLE_ERR);
-        })
-    }, function () { fail(FileError.NOT_FOUND_ERR) })
-};
-
-/**
- * An interface representing a directory on the file system.
- *
- * {boolean} isFile always false (readonly)
- * {boolean} isDirectory always true (readonly)
- * {DOMString} name of the directory, excluding the path leading to it (readonly)
- * {DOMString} fullPath the absolute full path to the directory (readonly)
- * {FileSystem} filesystem on which the directory resides (readonly)
- */
-function DirectoryEntry(name, fullPath) {
-    DirectoryEntry.__super__.constructor.apply(this, [false, true, name, fullPath]);
-};
-
-
-utils.extend(DirectoryEntry, Entry);
-
-/**
-     * Creates a new DirectoryReader to read entries from this directory
-     */
-DirectoryEntry.prototype.createReader = function () {
-    return new DirectoryReader(this.fullPath);
-};
-
-/**
-     * Creates or looks up a directory
-     *
-     * @param {DOMString} path either a relative or absolute path from this directory in which to look up or create a directory
-     * @param {Flags} options to create or excluively create the directory
-     * @param {Function} successCallback is called with the new entry
-     * @param {Function} errorCallback is called with a FileError
-     */
-DirectoryEntry.prototype.getDirectory = function (path, options, successCallback, errorCallback) {
-    var flag = "";
-    if (options != null) {
-        flag = new Flags(options.create, options.exclusive);
-    } else {
-        flag = new Flags(false, false);
-    }
-    
-    
-    var win = typeof successCallback !== 'function' ? null : function (result) {
-        var entry = new DirectoryEntry(result.name, result.fullPath);
-        successCallback(entry);
-    };
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-    path = String(path).split(" ").join("\ ");
-    
-    Windows.Storage.StorageFolder.getFolderFromPathAsync(this.fullPath).then(function (storageFolder) {
-        
-        if (flag.create == true && flag.exclusive == true) {
-           
-            storageFolder.createFolderAsync(path, Windows.Storage.CreationCollisionOption.failIfExists).done(function (storageFolder) {
-                win(new DirectoryEntry(storageFolder.name, storageFolder.path))
-            }, function () {
-                fail(FileError.PATH_EXISTS_ERR);
-            })
-        }
-        else if (flag.create == true && flag.exclusive == false) {
-           
-            storageFolder.createFolderAsync(path, Windows.Storage.CreationCollisionOption.openIfExists).done(function (storageFolder) {
-                win(new DirectoryEntry(storageFolder.name, storageFolder.path))
-            }, function () {
-                fail(FileError.INVALID_MODIFICATION_ERR);
-            })
-        }
-        else if (flag.create == false) {
-            if (/\?|\\|\*|\||\"|<|>|\:|\//g.test(path)) {
-                fail(FileError.ENCODING_ERR);
-                return;
-            };
-           
-            storageFolder.getFolderAsync(path).done(function (storageFolder) {
-                
-                win(new DirectoryEntry(storageFolder.name, storageFolder.path))
-            }, function () {
-                fail(FileError.NOT_FOUND_ERR);
-            })
-        }
-
-    }, function () {
-        fail(FileError.NOT_FOUND_ERR)
-    })
-
-};
-
-/**
-     * Deletes a directory and all of it's contents
-     *
-     * @param {Function} successCallback is called with no parameters
-     * @param {Function} errorCallback is called with a FileError
-     */
-DirectoryEntry.prototype.removeRecursively = function (successCallback, errorCallback) {
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-    
-    var removeFoldersCode = Jscex.compile('promise', function (path) {
-       
-        var storageFolder = $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(path));
-        
-        var fileList = $await(storageFolder.createFileQuery().getFilesAsync());
-        
-        if (fileList != null) {
-            for (var i = 0; i < fileList.length; i++) {
-                $await(fileList[i].deleteAsync());
-                
-            }
-           
-        }
-        var folderList = $await(storageFolder.createFolderQuery().getFoldersAsync());
-        if (folderList.length != 0) {
-            for (var j = 0; j < folderList.length; j++) {
-
-                $await(removeFolders(folderList[j].path));
-               
-            }
-        }
-        $await(storageFolder.deleteAsync());
-    });
-
-    var removeFolders = eval(removeFoldersCode);
-
-
-    var fullPath = this.fullPath;
-
-    var removeCompleteCode = Jscex.compile('promise', function (path) {
-        var storageFolderPer = Windows.Storage.ApplicationData.current.localFolder;
-        var storageFolderTem = Windows.Storage.ApplicationData.current.temporaryFolder;
-            
-        if (path == storageFolderPer.path || path == storageFolderTem.path) {
-            fail(FileError.NO_MODIFICATION_ALLOWED_ERR);
-            return;
-        }
-
-        $await(removeFolders(path));
-
-        try {
-            
-            $await(Windows.Storage.StorageFolder.getFolderFromPathAsync(path));
-        } catch (e) {
-
-            if (typeof successCallback != 'undefined' && successCallback != null) { successCallback(); }
-
-        }
-    });
-
-    var removeComplete = eval(removeCompleteCode);
-
-    Windows.Storage.StorageFolder.getFolderFromPathAsync(fullPath).done(function (storageFolder) {
-        removeComplete(storageFolder.path);
-    }, function () {
-       
-        fail(FileError.NOT_FOUND_ERR);
-    })
-
-};
-
-/**
-     * Creates or looks up a file
-     *
-     * @param {DOMString} path either a relative or absolute path from this directory in which to look up or create a file
-     * @param {Flags} options to create or excluively create the file
-     * @param {Function} successCallback is called with the new entry
-     * @param {Function} errorCallback is called with a FileError
-     */
-DirectoryEntry.prototype.getFile = function (path, options, successCallback, errorCallback) {
-    var flag = "";
-    if (options != null) {
-        flag = new Flags(options.create, options.exclusive);
-    } else {
-        flag = new Flags(false, false);
-    }
-    
-    var win = typeof successCallback !== 'function' ? null : function (result) {
-        var entry = new FileEntry(result.name, result.fullPath);
-        successCallback(entry);
-    };
-    var fail = typeof errorCallback !== 'function' ? null : function (code) {
-        errorCallback(new FileError(code));
-    };
-    path = String(path).split(" ").join("\ ");
-    
-    Windows.Storage.StorageFolder.getFolderFromPathAsync(this.fullPath).then(function (storageFolder) {
-        
-        if (flag.create == true && flag.exclusive == true) {
-            storageFolder.createFileAsync(path, Windows.Storage.CreationCollisionOption.failIfExists).done(function (storageFile) {
-                win(new FileEntry(storageFile.name, storageFile.path))
-            }, function () {
-
-                fail(FileError.PATH_EXISTS_ERR);
-            })
-        }
-        else if (flag.create == true && flag.exclusive == false) {
-            
-            storageFolder.createFileAsync(path, Windows.Storage.CreationCollisionOption.openIfExists).done(function (storageFile) {
-                
-                win(new FileEntry(storageFile.name, storageFile.path))
-            }, function () {
-
-                fail(FileError.INVALID_MODIFICATION_ERR);
-            })
-        }
-        else if (flag.create == false) {
-            if (/\?|\\|\*|\||\"|<|>|\:|\//g.test(path)) {
-                fail(FileError.ENCODING_ERR);
-                return;
-            };
-            storageFolder.getFileAsync(path).done(function (storageFile) {
-                win(new FileEntry(storageFile.name, storageFile.path))
-            }, function () {
-                fail(FileError.NOT_FOUND_ERR);
-            })
-        }
-    }, function () {
-        fail(FileError.NOT_FOUND_ERR)
-    })
-
-};
-var ProgressEvent = (function() {
-  
-        return function ProgressEvent(type, dict) {
-            this.type = type;
-            this.bubbles = false;
-            this.cancelBubble = false;
-            this.cancelable = false;
-            this.lengthComputable = false;
-            this.loaded = dict && dict.loaded ? dict.loaded : 0;
-            this.total = dict && dict.total ? dict.total : 0;
-            this.target = dict && dict.target ? dict.target : null;
-        };
-    
-})();
-
-
-
-
-
-/**
- * This class reads the mobile device file system.
- *
- * For Android:
- *      The root directory is the root of the file system.
- *      To read from the SD card, the file name is "sdcard/my_file.txt"
- * @constructor
- */
-function FileReader() {
-    this.fileName = "";
-
-    this.readyState = 0; // FileReader.EMPTY
-
-    // File data
-    this.result = null;
-
-    // Error
-    this.error = null;
-
-    // Event handlers
-    this.onloadstart = null;    // When the read starts.
-    this.onprogress = null;     // While reading (and decoding) file or fileBlob data, and reporting partial file data (progess.loaded/progress.total)
-    this.onload = null;         // When the read has successfully completed.
-    this.onerror = null;        // When the read has failed (see errors).
-    this.onloadend = null;      // When the request has completed (either in success or failure).
-    this.onabort = null;        // When the read has been aborted. For instance, by invoking the abort() method.
-};
-
-// States
-FileReader.EMPTY = 0;
-FileReader.LOADING = 1;
-FileReader.DONE = 2;
-
-/**
- * Abort reading file.
- */
-FileReader.prototype.abort = function () {
-    this.result = null;
-
-    if (this.readyState == FileReader.DONE || this.readyState == FileReader.EMPTY) {
-        return;
-    }
-
-    this.readyState = FileReader.DONE;
-
-    // If abort callback
-    if (typeof this.onabort === 'function') {
-        this.onabort(new ProgressEvent('abort', { target: this }));
-    }
-    // If load end callback
-    if (typeof this.onloadend === 'function') {
-        this.onloadend(new ProgressEvent('loadend', { target: this }));
-    }
-};
-
-/**
- * Read text file.
- *
- * @param file          {File} File object containing file properties
- * @param encoding      [Optional] (see http://www.iana.org/assignments/character-sets)
- */
-FileReader.prototype.readAsText = function (file, encoding) {
-    // Figure out pathing
-    this.fileName = '';
-    if (typeof file.fullPath === 'undefined') {
-        this.fileName = file;
-    } else {
-        this.fileName = file.fullPath;
-    }
-
-    // Already loading something
-    if (this.readyState == FileReader.LOADING) {
-        throw new FileError(FileError.INVALID_STATE_ERR);
-    }
-
-    // LOADING state
-    this.readyState = FileReader.LOADING;
-
-    // If loadstart callback
-    if (typeof this.onloadstart === "function") {
-        this.onloadstart(new ProgressEvent("loadstart", { target: this }));
-    }
-
-    // Default encoding is UTF-8
-    var enc = encoding ? encoding : "Utf8";
-
-    var me = this;
-
-    // Read file
-   
-        // Success callback
-    var win = function (r) {
-        // If DONE (cancelled), then don't do anything
-        if (me.readyState === FileReader.DONE) {
-            return;
-        }
-
-        // Save result
-        me.result = r;
-
-        // If onload callback
-        if (typeof me.onload === "function") {
-            me.onload(new ProgressEvent("load", { target: me }));
-        }
-
-        // DONE state
-        me.readyState = FileReader.DONE;
-
-        // If onloadend callback
-        if (typeof me.onloadend === "function") {
-            me.onloadend(new ProgressEvent("loadend", { target: me }));
-        }
-    };
-        // Error callback
-    var fail = function (e) {
-            // If DONE (cancelled), then don't do anything
-            if (me.readyState === FileReader.DONE) {
-                return;
-            }
-
-            // DONE state
-            me.readyState = FileReader.DONE;
-
-            // null result
-            me.result = null;
-
-            // Save error
-            me.error = new FileError(e);
-
-            // If onerror callback
-            if (typeof me.onerror === "function") {
-                me.onerror(new ProgressEvent("error", { target: me }));
-            }
-
-            // If onloadend callback
-            if (typeof me.onloadend === "function") {
-                me.onloadend(new ProgressEvent("loadend", { target: me }));
-            }
-    };
-    Windows.Storage.StorageFile.getFileFromPathAsync(this.fileName).done(function (storageFile) {
-        var value = Windows.Storage.Streams.UnicodeEncoding.utf8;
-        if(enc == 'Utf16LE' || enc == 'utf16LE'){
-            value = Windows.Storage.Streams.UnicodeEncoding.utf16LE;
-        }else if(enc == 'Utf16BE' || enc == 'utf16BE'){
-            value = Windows.Storage.Streams.UnicodeEncoding.utf16BE;
-        }
-        Windows.Storage.FileIO.readTextAsync(storageFile, value).done(function (fileContent) {
-			win(fileContent);
-        }, function () { fail(FileError.ENCODING_ERR) });
-    }, function () { fail(FileError.NOT_FOUND_ERR) })
-    
-
-};
-
-
-/**
- * Read file and return data as a base64 encoded data url.
- * A data url is of the form:
- *      data:[<mediatype>][;base64],<data>
- *
- * @param file          {File} File object containing file properties
- */
-FileReader.prototype.readAsDataURL = function (file) {
-    this.fileName = "";
-    if (typeof file.fullPath === "undefined") {
-        this.fileName = file;
-    } else {
-        this.fileName = file.fullPath;
-    }
-
-    // Already loading something
-    if (this.readyState == FileReader.LOADING) {
-        throw new FileError(FileError.INVALID_STATE_ERR);
-    }
-
-    // LOADING state
-    this.readyState = FileReader.LOADING;
-
-    // If loadstart callback
-    if (typeof this.onloadstart === "function") {
-        this.onloadstart(new ProgressEvent("loadstart", { target: this }));
-    }
-
-    var me = this;
-
-    // Read file
-   
-        // Success callback
-    var win = function (r) {
-        // If DONE (cancelled), then don't do anything
-        if (me.readyState === FileReader.DONE) {
-            return;
-        }
-
-        // DONE state
-        me.readyState = FileReader.DONE;
-
-        // Save result
-        me.result = r;
-
-        // If onload callback
-        if (typeof me.onload === "function") {
-            me.onload(new ProgressEvent("load", { target: me }));
-        }
-
-        // If onloadend callback
-        if (typeof me.onloadend === "function") {
-            me.onloadend(new ProgressEvent("loadend", { target: me }));
-        }
-    };
-        // Error callback
-    var fail = function (e) {
-        // If DONE (cancelled), then don't do anything
-        if (me.readyState === FileReader.DONE) {
-            return;
-        }
-
-        // DONE state
-        me.readyState = FileReader.DONE;
-
-        me.result = null;
-
-        // Save error
-        me.error = new FileError(e);
-
-        // If onerror callback
-        if (typeof me.onerror === "function") {
-            me.onerror(new ProgressEvent("error", { target: me }));
-        }
-
-        // If onloadend callback
-        if (typeof me.onloadend === "function") {
-            me.onloadend(new ProgressEvent("loadend", { target: me }));
-        }
-    };
-
-    Windows.Storage.StorageFile.getFileFromPathAsync(this.fileName).then(function (storageFile) {
-        Windows.Storage.FileIO.readBufferAsync(storageFile).done(function (buffer) {
-            var strBase64 = Windows.Security.Cryptography.CryptographicBuffer.encodeToBase64String(buffer);
-            //the method encodeToBase64String will add "77u/" as a prefix, so we should remove it
-            if(String(strBase64).substr(0,4) == "77u/"){
-                strBase64 = strBase64.substr(4);
-            }
-            var mediaType = storageFile.contentType;
-            var result = "data:" + mediaType + ";base64," + strBas

<TRUNCATED>