Getting Packery / Masonry to work with angular2



我正试图让Packey/Monry处理一个组件。Packey正在检测容器,但给它一个零的高度,这表明内容还没有加载,尽管我使用的是imagesLoaded。我尝试过使用各种生命周期挂钩,但它们都有相同的结果,所以我不知道哪里出了问题。

import {BlogService} from './blog.service';
import {Blog} from './blog.model';
import {Component, ElementRef, OnInit, AfterViewInit} from '@angular/core';
import {LinkyPipe} from '../pipes/linky.pipe';
declare var Packery: any;
declare var imagesLoaded: any;
@Component({
  moduleId: module.id,
  selector: 'blog',
  templateUrl: 'blog.component.html',
  providers: [BlogService],
  pipes: [LinkyPipe]
})
export class BlogComponent implements OnInit, AfterViewInit {
  blogs: Blog[];
  errorMessage: string;
  constructor(private _blogService: BlogService, public element: ElementRef) { }
  ngOnInit() {
    this.getBlogs();
  }
  ngAfterViewInit() {
    let elem = this.element.nativeElement.querySelector('.social-grid');
    let pckry;
    imagesLoaded(elem, function(instance) {
      console.log('loaded');
      pckry = new Packery(elem, {
        columnWidth: '.grid-sizer',
        gutter: '.gutter-sizer',
        percentPosition: true,
        itemSelector: '.social-card'
      });
    });
  }
  getBlogs() {
    this._blogService.getPosts()
      .subscribe(
      blogs => this.blogs = blogs,
      error => this.errorMessage = <any>error);
  }
}

好的,我发现我需要使用AfterViewChecked,但当我第一次尝试时,它结束了一个永无止境的循环,因为每次DOM更改时都会触发它,所以你会看到有一些额外的检查,所以它只触发一次。仍然不确定这是否是正确的方法,但目前有效。

import {BlogService} from './blog.service';
import {Blog} from './blog.model';
import {Component, ElementRef, OnInit, AfterViewChecked} from '@angular/core';
import {LinkyPipe} from '../pipes/linky.pipe';
declare var Packery: any;
declare var imagesLoaded: any;
@Component({
  moduleId: module.id,
  selector: 'coco-blog',
  templateUrl: 'blog.component.html',
  providers: [BlogService],
  pipes: [LinkyPipe]
})
export class BlogComponent implements OnInit, AfterViewChecked {
  blogs: Blog[];
  errorMessage: string;
  isGridInitialized: boolean;
  constructor(private _blogService: BlogService, public element: ElementRef) { }
  ngOnInit() {
    this.getBlogs();
  }
  ngAfterViewChecked() {
    if (this.blogs && this.blogs.length > 0 && !this.isGridInitialized) this.initGrid();
  }
  getBlogs() {
    this._blogService.getPosts()
      .subscribe(
      blogs => this.blogs = blogs,
      error => this.errorMessage = <any>error);
  }
  initGrid() {
    this.isGridInitialized = true;
    let elem = document.querySelector('.social-grid');
    let pckry;
    imagesLoaded(elem, function(instance) {
      console.log('all images are loaded');
      pckry = new Packery(elem, {
        percentPosition: true,
        itemSelector: '.social-card',
        gutter: 20
      });
    });
  }
}

最新更新