1

我目前Microsoft.Phone.Map在我的 Windows 8 Phone 应用程序中使用 a 并且希望能够停止交互以更改缩放级别和在地图上移动(滚动)。

我尝试禁用交互,但问题是我有一个包含兴趣点的图层,需要点击该图层以扩展信息,当我禁用地图时,这些信息不起作用IsEnabled = True;

缩放级别设置为this.BigMap.ZoomLevel = 16;开始,然后尝试阻止它随着交互而改变我这样做:

void BigMap_ZoomLevelChanged(object sender, MapZoomLevelChangedEventArgs e)
    {
        this.BigMap.ZoomLevel = 16;
    }

但这意味着我得到了一个相当跳跃的效果 - 有没有更好的方法来禁用缩放?

有谁知道如何停止地图移动 - 我只希望适合屏幕的部分保持不变,而不是让用户移动它。

4

1 回答 1

0

您可以找到地图元素的网格,并停止它的缩放和移动操作,如下所示:

xml:

<Grid x:Name="LayoutRoot">
    <maps:Map ZoomLevel="10"
              x:Name="MyMap"
              Loaded="Map_Loaded"
              Tap="MyMap_Tap"/>
</Grid>

CS:

    private void Map_Loaded(object sender, RoutedEventArgs e)
    {
        Grid grid = FindChildOfType<Grid>(MyMap);
        grid.ManipulationCompleted += Map_ManipulationCompleted;
        grid.ManipulationDelta += Map_ManipulationDelta;
    }

    private void Map_ManipulationDelta(object sender, ManipulationDeltaEventArgs e)
    {
        // disable zoom
        if (e.DeltaManipulation.Scale.X != 0.0 ||
            e.DeltaManipulation.Scale.Y != 0.0)
            e.Handled = true;

        //disable moving
        if (e.DeltaManipulation.Translation.X != 0.0 ||
            e.DeltaManipulation.Translation.Y != 0.0)
            e.Handled = true;
    }

    private void Map_ManipulationCompleted(object sender, ManipulationCompletedEventArgs e)
    {
        // disable zoom
        if (e.FinalVelocities.ExpansionVelocity.X != 0.0 ||
            e.FinalVelocities.ExpansionVelocity.Y != 0.0)
            e.Handled = true;

        //disable moving
        if (e.FinalVelocities.LinearVelocity.X != 0.0 ||
            e.FinalVelocities.LinearVelocity.Y != 0.0)
        {
            e.Handled = true;
        }
    }

    public static T FindChildOfType<T>(DependencyObject root) where T : class
    {
        var queue = new Queue<DependencyObject>();
        queue.Enqueue(root);

        while (queue.Count > 0)
        {
            DependencyObject current = queue.Dequeue();
            for (int i = VisualTreeHelper.GetChildrenCount(current) - 1; 0 <= i; i--)
            {
                var child = VisualTreeHelper.GetChild(current, i);
                var typedChild = child as T;
                if (typedChild != null)
                {
                    return typedChild;
                }
                queue.Enqueue(child);
            }
        }
        return null;
    }

    private void MyMap_Tap(object sender, GestureEventArgs e)
    {
        //This is still working
    }

因为您仅禁用缩放和移动操作,所以点击和按住正常工作。

希望这会有所帮助!

编辑:请注意,当您调用 FindChildOfType(MyMap) 时,地图元素应该是可见的。

于 2014-07-18T11:13:19.500 回答