在Windows10通用JavaScript应用程序中,扩展执行似乎不起作用

在Windows10通用JavaScript应用程序中,扩展执行似乎不起作用,javascript,c#,windows-10,background-process,win-universal-app,Javascript,C#,Windows 10,Background Process,Win Universal App,我有一个用JavaScript编写的Windows10通用应用程序。该应用程序是一个位置跟踪器,需要在后台运行,我正试图使用ExtendedExecutionAPI实现这一点。不过,我发现这在C#/XAML应用程序中是有效的,但在JavaScript应用程序中不起作用 作为一项实验,在Visual Studio 2015中,我通过文件->新建->项目->Visual C->空白应用程序(通用Windows)创建了一个新的C#项目,并将其配置如下: /// <summary> ///

我有一个用JavaScript编写的Windows10通用应用程序。该应用程序是一个位置跟踪器,需要在后台运行,我正试图使用ExtendedExecutionAPI实现这一点。不过,我发现这在C#/XAML应用程序中是有效的,但在JavaScript应用程序中不起作用

作为一项实验,在Visual Studio 2015中,我通过
文件->新建->项目->Visual C->空白应用程序(通用Windows)
创建了一个新的C#项目,并将其配置如下:

/// <summary>
/// An empty page that can be used on its own or navigated to within a Frame.
/// </summary>
public sealed partial class MainPage : Page
{
    private Geolocator locator;
    private ObservableCollection<string> coordinates = new ObservableCollection<string>();
    private ExtendedExecutionSession session;

    public MainPage()
    {
        this.InitializeComponent();

        // Start geo locating
        locator = new Geolocator();
        locator.DesiredAccuracy = PositionAccuracy.High;
        locator.DesiredAccuracyInMeters = 0;
        locator.MovementThreshold = 0;
        locator.PositionChanged += positionChanged;
        coords.ItemsSource = coordinates;

        // Request extended execution
        RequestExtendedExecution();
    }

    private async void RequestExtendedExecution()
    {

        // Request extended execution via the ExtendedExecution API
        session = new ExtendedExecutionSession();
        session.Description = "Location Tracker";
        session.Reason = ExtendedExecutionReason.LocationTracking;
        session.Revoked += ExtendedExecutionSession_Revoked;
        var result = await session.RequestExtensionAsync();
        if (result == ExtendedExecutionResult.Allowed)
            coordinates.Insert(0, "Extended execution SUCCESS");
        else if (result == ExtendedExecutionResult.Denied)
            coordinates.Insert(0, "Extended execution DENIED");
        else
            coordinates.Insert(0, "Extended execution unexpected return code");
    }

    private async void EndExtendedExecution()
    {
        if (session != null)
        {
            session.Dispose();
            session = null;
        }
    }

    private void ExtendedExecutionSession_Revoked(object sender, ExtendedExecutionRevokedEventArgs args)
    {
        var _ = Dispatcher.RunAsync(Windows.UI.Core.CoreDispatcherPriority.Normal, () =>
        {
            coordinates.Insert(0, "Extended execution REVOKED: " + ((args.Reason == ExtendedExecutionRevokedReason.Resumed) ? "Resumed" : (args.Reason == ExtendedExecutionRevokedReason.SystemPolicy) ? "Resources" : "Unknown reason"));
        });
        EndExtendedExecution();
    }

    private void positionChanged(Geolocator sender, PositionChangedEventArgs args)
    {
        var coord = args.Position;
        string position = string.Format("{0},{1}",
            args.Position.Coordinate.Point.Position.Latitude,
            args.Position.Coordinate.Point.Position.Longitude);
        var _ = Dispatcher.RunAsync(Windows.UI.Core.CoreDispatcherPriority.Normal, () =>
        {
            coordinates.Insert(0, position);
        });
    }
}
(function () {
    "use strict";

    var app = WinJS.Application;
    var activation = Windows.ApplicationModel.Activation;
    var extendedExecution = Windows.ApplicationModel.ExtendedExecution;
    var session = null;
    var geolocator = null;

    app.onactivated = function (args) {
        if (args.detail.kind === activation.ActivationKind.launch) {
            if (args.detail.previousExecutionState !== activation.ApplicationExecutionState.terminated) {

                // TODO: This application has been newly launched. Initialize your application here.

                // Start geo tracking
                Windows.Devices.Geolocation.Geolocator.requestAccessAsync().done(
                    function (accessStatus) {
                        switch (accessStatus) {
                            case Windows.Devices.Geolocation.GeolocationAccessStatus.allowed:
                                geolocator = new Windows.Devices.Geolocation.Geolocator();
                                geolocator.ReportInterval = 1000;

                                // Subscribe to PositionChanged event to get updated tracking positions
                                geolocator.addEventListener("positionchanged", function (e) {
                                    var coord = e.position.coordinate;
                                    log("app.onactivated: coord = " + coord.point.position.latitude + ", " + coord.point.position.longitude, false, true, false);
                                });
                                break;

                            case Windows.Devices.Geolocation.GeolocationAccessStatus.denied:
                                log("Geolocator.requestAccessAsync: Access to location is denied.", false, true, false);
                                break;

                            case Windows.Devices.Geolocation.GeolocationAccessStatus.unspecified:
                                log("Geolocator.requestAccessAsync: Unspecified error.", false, true, false);
                                break;
                        }
                    },
                    function (err) {
                        log("Geolocator.requestAccessAsync: error " + err, false, true, false);
                    }
                );

                // Request extended execution
                requestExtendedExecution();

            } else {
                // TODO: This application was suspended and then terminated.
                // To create a smooth user experience, restore application state here so that it looks like the app never stopped running.
            }
            args.setPromise(WinJS.UI.processAll());
        }
    };

    app.oncheckpoint = function (args) {
        // TODO: This application is about to be suspended. Save any state that needs to persist across suspensions here.
        // You might use the WinJS.Application.sessionState object, which is automatically saved and restored across suspension.
        // If you need to complete an asynchronous operation before your application is suspended, call args.setPromise().
        log("app.oncheckpoint: application is about to be suspended");
    };

    function requestExtendedExecution() {

        // If we already have an extended session, close it before requesting a new one.
        if (session != null) {
            session.close();
            session = null;
        }

        // Request extended execution via the ExtendedExecution API
        session = new extendedExecution.ExtendedExecutionSession();
        session.description = "Background location tracking";
        session.reason = extendedExecution.ExtendedExecutionReason.locationTracking;
        session.onrevoked = function (args) {
            log("requestExtendedExecution: Background mode revoked: " + args.reason);
            requestExtendedExecution();
        };
        session.requestExtensionAsync().done(
            function success() {
                log("requestExtendedExecution: Successfully enabled background mode");
            },
            function error(error) {
                log("requestExtendedExecution: Could not enable background mode: " + error);
            }
        );      
    }

    function log (text) {
        var now = new Date();
        var timestamp = now.toLocaleDateString() + " " + now.toLocaleTimeString();
        var outputDiv = document.getElementById("divOutput");
        outputDiv.innerHTML = timestamp + " " + text + "<br/>" + outputDiv.innerHTML;
    }

    app.start();
})();
标记为:

<div id="divOutput"></div>

当我请求扩展会话时,我仍然得到“扩展执行成功”,是的,但是当我最小化应用程序时,app.oncheckpoint被调用,应用程序被挂起,在它返回前台之前没有进一步的活动。我还尝试从app.oncheckpoint内请求扩展会话,但也没有效果


有人对此有所了解吗?提前谢谢。

它很有效。实际的问题是您的代码没有侦听吊销事件。它应该被撤销。:)

代码中有一些小问题

请尝试以下操作:

function requestExtendedExecution() {

    // Request extended execution via the ExtendedExecution API
    session = new extendedExecution.ExtendedExecutionSession();
    session.description = "Background location tracking";
    session.reason = extendedExecution.ExtendedExecutionReason.locationTracking;
    session.onrevoked = function (args) {
        log("requestExtendedExecution: Background mode revoked: " + args.reason);
    };
    session.requestExtensionAsync().done(
        function success() {
            log("requestExtendedExecution: Successfully enabled background mode");
        },
        function error(error) {
            log("requestExtendedExecution: Could not enable background mode: " + error);
        }
    );
}

太棒了,艾伦,还有你发现的打字错误让我工作了。我已经更新了JavaScript以响应
reversed
事件,它现在是一个完整的工作示例。非常感谢@MikeDailor requestExtendedExecution()是从onActivated还是在检查点调用的,哪个位置是调用此方法的最佳位置?@mehul9595 Microsoft说onActivated是您要进行调用的位置;基本上,当应用程序激活时,你想立即说“请不要杀我”。
function requestExtendedExecution() {

    // Request extended execution via the ExtendedExecution API
    session = new extendedExecution.ExtendedExecutionSession();
    session.description = "Background location tracking";
    session.reason = extendedExecution.ExtendedExecutionReason.locationTracking;
    session.onrevoked = function (args) {
        log("requestExtendedExecution: Background mode revoked: " + args.reason);
    };
    session.requestExtensionAsync().done(
        function success() {
            log("requestExtendedExecution: Successfully enabled background mode");
        },
        function error(error) {
            log("requestExtendedExecution: Could not enable background mode: " + error);
        }
    );
}