Angular 5在每次路线点击时滚动到顶部

时间:2018-01-01 08:46:48

标签: angular typescript scrolltop angular-router

我正在使用角度5.我有一个仪表板,我有几个内容很少的部分和很少的部分,内容如此之大,以至于我在更换路由器时遇到问题。每次我需要滚动到顶部。任何人都可以帮我解决这个问题,这样当我改变路由器时,我的视图总是保持在最顶层。

提前致谢。

20 个答案:

答案 0 :(得分:104)

路由器插座会在实例化新组件时发出激活事件,因此(activate)事件可以滚动(例如)到顶部:

<强> app.component.html

<router-outlet (activate)="onActivate($event)" ></router-outlet>

<强> app.component.ts

onActivate(event) {
    window.scroll(0,0);
    //or document.body.scrollTop = 0;
    //or document.querySelector('body').scrollTo(0,0)
    ...
}

或使用this answer平滑滚动

    onActivate(event) {
        let scrollToTop = window.setInterval(() => {
            let pos = window.pageYOffset;
            if (pos > 0) {
                window.scrollTo(0, pos - 20); // how far to scroll on each step
            } else {
                window.clearInterval(scrollToTop);
            }
        }, 16);
    }

如果您希望有选择性,请说不是每个组件都应该触发滚动,您可以检查它:

onActivate(e) {
    if (e.constructor.name)==="login"{ // for example
            window.scroll(0,0);
    }
}

<小时/> 从Angular6.1开始,我们也可以在急切加载的模块上或仅在app.module中使用{ scrollPositionRestoration: 'enabled' },它将应用于所有路由:

RouterModule.forRoot(appRoutes, { scrollPositionRestoration: 'enabled' })

它也会进行平滑滚动

答案 1 :(得分:17)

如果您在Angular 6中遇到此问题,可以通过将参数scrollPositionRestoration: 'enabled'添加到a​​pp-routing.module.ts的RouterModule中来解决此问题:

@NgModule({
  imports: [RouterModule.forRoot(routes,{
    scrollPositionRestoration: 'enabled'
  })],
  exports: [RouterModule]
})

enter image description here

答案 2 :(得分:14)

现在Angular 6.1中提供了带有scrollPositionRestoration选项的内置解决方案。

请参见 my answer 上的Angular 2 Scroll to top on Route Change

答案 3 :(得分:11)

如果全部失败,则在模板(或父模板)上创建一个空的HTML元素(例如:div)(或者想要滚动到位置)id =“top”:

<div id="top"></div>

在组件中:

  ngAfterViewInit() {
    // Hack: Scrolls to top of Page after page view initialized
    let top = document.getElementById('top');
    if (top !== null) {
      top.scrollIntoView();
      top = null;
    }
  }

答案 4 :(得分:4)

虽然@Vega可以直接回答您的问题,但仍有问题。它打破了浏览器的后退/前进按钮。如果您的用户点击浏览器后退或前进按钮,他们会失去位置并在顶部滚动。如果用户必须向下滚动以获取链接并决定再次单击以查找滚动条已重置为顶部,这对您的用户来说可能会有点痛苦。

这是我解决问题的方法。

export class AppComponent implements OnInit {
  isPopState = false;

  constructor(private router: Router, private locStrat: LocationStrategy) { }

  ngOnInit(): void {
    this.locStrat.onPopState(() => {
      this.isPopState = true;
    });

    this.router.events.subscribe(event => {
      // Scroll to top if accessing a page, not via browser history stack
      if (event instanceof NavigationEnd && !this.isPopState) {
        window.scrollTo(0, 0);
        this.isPopState = false;
      }

      // Ensures that isPopState is reset
      if (event instanceof NavigationEnd) {
        this.isPopState = false;
      }
    });
  }
}

答案 5 :(得分:4)

如果您使用mat-sidenav给路由器插座提供一个ID(如果您有父路由器和子路由器插座)并在其中使用激活功能 <router-outlet id="main-content" (activate)="onActivate($event)"> 并使用此“ mat-sidenav-content”查询选择器滚动顶部 onActivate(event) { document.querySelector("mat-sidenav-content").scrollTo(0, 0); }

答案 6 :(得分:3)

由于某种原因,上述方法都不适合我:/,所以我在 app.component.html 中的顶部元素中添加了一个元素引用,并在 (activate)=onNavigate($event) 中添加了 router-outlet

<!--app.component.html-->
<div #topScrollAnchor></div>
<app-navbar></app-navbar>
<router-outlet (activate)="onNavigate($event)"></router-outlet>

然后我将子项添加到 app.component.ts 文件中,类型为 ElementRef,并在路由器出口激活时滚动到它。

export class AppComponent  {
  @ViewChild('topScrollAnchor') topScroll: ElementRef;

  onNavigate(event): any {
    this.topScroll.nativeElement.scrollIntoView({ behavior: 'smooth' });
  }
}

这是stackblitz中的代码

答案 7 :(得分:3)

对于某些正在寻找滚动功能的人,只需添加该功能并在需要时调用

scrollbarTop(){

  window.scroll(0,0);
}

答案 8 :(得分:3)

只需添加

window.scrollTo({ top: 0);

到ngOnInit()

答案 9 :(得分:3)

从Angular版本6开始+无需使用window.scroll(0,0)

@ docs中的Angular版本6+
表示用于配置路由器的选项。

interface ExtraOptions {
  enableTracing?: boolean
  useHash?: boolean
  initialNavigation?: InitialNavigation
  errorHandler?: ErrorHandler
  preloadingStrategy?: any
  onSameUrlNavigation?: 'reload' | 'ignore'
  scrollPositionRestoration?: 'disabled' | 'enabled' | 'top'
  anchorScrolling?: 'disabled' | 'enabled'
  scrollOffset?: [number, number] | (() => [number, number])
  paramsInheritanceStrategy?: 'emptyOnly' | 'always'
  malformedUriErrorHandler?: (error: URIError, urlSerializer: UrlSerializer, url: string) => UrlTree
  urlUpdateStrategy?: 'deferred' | 'eager'
  relativeLinkResolution?: 'legacy' | 'corrected'
}

一个人可以在其中使用scrollPositionRestoration?: 'disabled' | 'enabled' | 'top'

示例:

RouterModule.forRoot(routes, {
    scrollPositionRestoration: 'enabled'|'top' 
});

如果需要手动控制滚动,则无需使用window.scroll(0,0) 取而代之的是从Angular V6引入了ViewPortScoller

abstract class ViewportScroller {
  static ngInjectableDef: defineInjectable({ providedIn: 'root', factory: () => new BrowserViewportScroller(inject(DOCUMENT), window) })
  abstract setOffset(offset: [number, number] | (() => [number, number])): void
  abstract getScrollPosition(): [number, number]
  abstract scrollToPosition(position: [number, number]): void
  abstract scrollToAnchor(anchor: string): void
  abstract setHistoryScrollRestoration(scrollRestoration: 'auto' | 'manual'): void
}

用法非常简单 示例:

import { Router } from '@angular/router';
import {  ViewportScroller } from '@angular/common'; //import
export class RouteService {

  private applicationInitialRoutes: Routes;
  constructor(
    private router: Router;
    private viewPortScroller: ViewportScroller//inject
  )
  {
   this.router.events.pipe(
            filter(event => event instanceof NavigationEnd))
            .subscribe(() => this.viewPortScroller.scrollToPosition([0, 0]));
}

答案 10 :(得分:2)

就我而言,我刚刚添加了

window.scroll(0,0);

ngOnInit()中可以正常工作。

答案 11 :(得分:2)

Angular 6.1及更高版本:

您可以将 Angular 6.1 + 中提供的内置解决方案与选项scrollPositionRestoration: 'enabled'一起使用。

@NgModule({
  imports: [RouterModule.forRoot(routes,{
    scrollPositionRestoration: 'enabled'
  })],
  exports: [RouterModule]
})

Angular 6.0及更低版本:

import { Component, OnInit } from '@angular/core';
import { Router, NavigationStart, NavigationEnd } from '@angular/router';
import { Location, PopStateEvent } from "@angular/common";

@Component({
    selector: 'my-app',
    template: '<ng-content></ng-content>',
})
export class MyAppComponent implements OnInit {

    private lastPoppedUrl: string;
    private yScrollStack: number[] = [];

    constructor(private router: Router, private location: Location) { }

    ngOnInit() {
        this.location.subscribe((ev:PopStateEvent) => {
            this.lastPoppedUrl = ev.url;
        });
        this.router.events.subscribe((ev:any) => {
            if (ev instanceof NavigationStart) {
                if (ev.url != this.lastPoppedUrl)
                    this.yScrollStack.push(window.scrollY);
            } else if (ev instanceof NavigationEnd) {
                if (ev.url == this.lastPoppedUrl) {
                    this.lastPoppedUrl = undefined;
                    window.scrollTo(0, this.yScrollStack.pop());
                } else
                    window.scrollTo(0, 0);
            }
        });
    }
}

注意:预期的行为是,当您导航回到页面时,它应该向下滚动到与单击链接时相同的位置,但是在到达每个页面时都滚动到顶部。

答案 12 :(得分:1)

对我有用的解决方案:

document.getElementsByClassName('layout-content')[0].scrollTo(0, 0);

它适用于角度 8、9 和 10。

答案 13 :(得分:1)

尝试

@NgModule({
  imports: [RouterModule.forRoot(routes,{
    scrollPositionRestoration: 'top'
  })],
  exports: [RouterModule]
})

此代码支持角度6 <=

答案 14 :(得分:1)

组件:订阅所有路由事件,而不是在模板中创建操作并在NavigationEnd b / c上滚动,否则,您将在不良的导航或受阻的路线等上触发此操作……这是一种确定的触发方式知道如果成功导航到一条路线,则可以轻松滚动。否则,什么都不做。

@Component({
  selector: 'app-root',
  templateUrl: './app.component.html',
  styleUrls: ['./app.component.scss']
})
export class AppComponent implements OnInit, OnDestroy {

  router$: Subscription;

  constructor(private router: Router) {}

  ngOnInit() {
    this.router$ = this.router.events.subscribe(next => this.onRouteUpdated(next));
  }

  ngOnDestroy() {
    if (this.router$ != null) {
      this.router$.unsubscribe();
    }
  }

  private onRouteUpdated(event: any): void {
    if (event instanceof NavigationEnd) {
      this.smoothScrollTop();
    }
  }

  private smoothScrollTop(): void {
    const scrollToTop = window.setInterval(() => {
      const pos: number = window.pageYOffset;
      if (pos > 0) {
          window.scrollTo(0, pos - 20); // how far to scroll on each step
      } else {
          window.clearInterval(scrollToTop);
      }
    }, 16);
  }

}

HTML

<router-outlet></router-outlet>

答案 15 :(得分:1)

export class AppComponent {
  constructor(private router: Router) {
    router.events.subscribe((val) => {
      if (val instanceof NavigationEnd) {
        window.scrollTo(0, 0);
      }
    });
  }

}

答案 16 :(得分:1)

尝试一下:

app.component.ts

import {Component, OnInit, OnDestroy} from '@angular/core';
import {Router, NavigationEnd} from '@angular/router';
import {filter} from 'rxjs/operators';
import {Subscription} from 'rxjs';

@Component({
    selector: 'app-root',
    templateUrl: './app.component.html',
    styleUrls: ['./app.component.scss'],
})
export class AppComponent implements OnInit, OnDestroy {
    subscription: Subscription;

    constructor(private router: Router) {
    }

    ngOnInit() {
        this.subscription = this.router.events.pipe(
            filter(event => event instanceof NavigationEnd)
        ).subscribe(() => window.scrollTo(0, 0));
    }

    ngOnDestroy() {
        this.subscription.unsubscribe();
    }
}

答案 17 :(得分:1)

您只需要创建一个包含调整屏幕滚动的功能

例如

window.scroll(0,0) OR window.scrollTo() by passing appropriate parameter.

window.scrollTo(xpos,ypos)->预期参数。

答案 18 :(得分:1)

我一直在寻找像AngularJS中那样的问题的内置解决方案。但在此之前,此解决方案适用于我,它很简单,并保留了后退按钮的功能。

app.component.html

<router-outlet (deactivate)="onDeactivate()"></router-outlet>

app.component.ts

onDeactivate() {
  document.body.scrollTop = 0;
  // Alternatively, you can scroll to top by using this other call:
  // window.scrollTo(0, 0)
}

来自zurfyx original post

的回答

答案 19 :(得分:1)

这是一个解决方案,只有在第一次访问EACH组件时才会滚动到Component的顶部(如果你需要为每个组件做一些不同的事情):

在每个组件中:

export class MyComponent implements OnInit {

firstLoad: boolean = true;

...

ngOnInit() {

  if(this.firstLoad) {
    window.scroll(0,0);
    this.firstLoad = false;
  }
  ...
}