팡이네

* 2024-06-17 현재 video.js 8이상 버전에서는

vhs(video.js Http Streaming) 메소드에 오류가 있어

7.21.6 버전으로 설정하는 방법을 기록

* 8 버전의 경우 player.tech().vhs.xhr ... 여기서 vhs 객체가 없다고 오류 발생

 

angular.json

...
        "scripts": [
            "./node_modules/video.js/dist/video.min.js",
            ...
        ],
...

 

styles.scss

@import '../node_modules/video.js/dist/video-js.min.css';

 

video.component.html

vjs-big-play-centered 최초 재생 버튼을 플레이어 한가운데 표시

<video #video id="video" class="video-js vjs-big-play-centered"></video>

 

video.component .ts

import videojs from 'video.js';
// json 파일을 import 하기 위해서는
// tsconfig.json 파일에서 resolveJsonModule: true 옵션 사용
import ko from 'video.js/dist/lang/ko.json';
...
@Input() fileID?: string;
@Input() width?: string;
@Input() height?: string;
@Input() token?: string;
@ViewChild('video', { static: true }) target?: ElementRef;
...

ngAfterViewInit(): void {
    // 한글 언어 파일 설정
    videojs.addLanguage('ko', ko);
    setTimeout(() => {
        this.readyVideo();
    });
}

ngOnDestroy(): void {
    if (this.videoPlayer) {
        this.videoPlayer.dispose();
    }
}

readyVideo(): void {
    // video.js (v7.21.6)
    // header에 스트리밍을 위한 인증 토큰 추가
    videojs.Vhs.xhr.beforeRequest = (options: any) => {
        options.headers = {
            Authorization: 'Bearer '+ this.token
        };
        return options;
    };

    // video.js 옵션 (v7.21.6)
    const options = {
        controls: true,     // 조작 컨트롤 표시
        controlBar: {
            bigPlayButton: true,            // 최초 재생 버튼 표시
            playToggle: true,               // 재생/일시정지 버튼 표시
            volumePanel: {                  // 소리 버튼 표시
                inline: false,              // 음량 조절막대 위치(true: 진행률막대 왼쪽에 표시, false: 세로로 표시)
            },
            progressControl: true,          // 진행률막대 표시
            // currentTimeDisplay: false,      // 재생 시간 표시
            remainingTimeDisplay: true,     // 남은 시간 표시
            pictureInPictureToggle: false,  // PiP 버튼 표시
            // fullscreenToggle: false,     // 전체화면 버튼 표시
        },
        muted: true,        // 소리 꺼짐여부
        autoplay: false,    // false, true, 'muted', 'play', 'any'
        preload: 'none',    // 'auto', 'metadata', 'none'
        playsinline: true,  // 내장 플레이어 재생여부(모바일)
        playbackRates: [0.5, 1, 1.5, 2],    // 재생속도 설정
        width: this.width,
        height: this.height,
        sources: [{
            type: 'application/x-mpegURL',
            src: '/스트리밍파일경로/파일명.m3u8',
        }],
        languages: {    // 번역 수정
            'ko': {
                'Mute': '소리 끄기',    // 기존번역: 음소거
                'Unmute': '소리 켜기',  // 기존번역: 소리 활성화하기
                'Picture-in-Picture': 'PiP 모드', // 미번역
            },
        },
        poster: '/포스터이미지파일경로/파일명.png',	// 1. 직접 이미지 표시할 경우
    };

    // 1. 직접 이미지 표시할 경우
    this.videoPlayer = videojs(this.target?.nativeElement, options);

    // 2. base64 문자열로 이미지를 표시할 경우 위의 1. 부분을 삭제
    this.imageService.getImage(this.fileID)
        .subscribe((blob) => {
            this.loadImage(blob);
            this.videoPlayer = videojs(this.target?.nativeElement, options);
        });
}

/**
 * Blob 데이터 로딩
 * @param img
 */
private loadImage(img: Blob): void {
    const reader = new FileReader();
    reader.addEventListener('load', () => {
        this.videoPlayer.poster(reader.result);
    }, false);

    if (img) {
        reader.readAsDataURL(img);
    }
}

파이프를 변수에 넣어 동적으로 적용시키고자 할 때 사용

 

dynamic-pipe.ts

import { Injector, Pipe, PipeTransform } from '@angular/core';
import { NumberZeroPipe } from './number-zero.pipe';
import { StringZeroPipe } from './string-zero.pipe';

@Pipe({
    name: 'dynamicPipe'
})
export class DynamicPipe implements PipeTransform {

    public constructor(
        private injector: Injector
    ) {
    }

    transform(value: any, pipeToken: any, pipeArgs: any[]): any {
        // 사용할 pipe 선언
        const MAP = {
            'number0': NumberZeroPipe,
            'string0': StringZeroPipe,
        }

        if (pipeToken && MAP.hasOwnProperty(pipeToken)) {
            var pipeClass = MAP[pipeToken];
            var pipe = this.injector.get(pipeClass);
            if (Array.isArray(pipeArgs)) {
                return pipe.transform(value, ...pipeArgs);
            } else {
                return pipe.transform(value, pipeArgs);
            }
        }
        else {
            return value;
        }
    }
}

HTML

<ul>
    <li *ngFor="let item of list">
        {{ item.data | dynamicPipe: item.pipe : item.pipeOptions }}
    </li>
</ul>

TS

this.list = [
	{ data: 1000000.12345, pipe: 'number0', pipeOptions: 'limit: 2' },
	{ data: 2000000.12345, pipe: 'number0', pipeOptions: 'limit: 2' },
];

출처

http:// https://stackoverflow.com/questions/36564976/dynamic-pipe-in-angular-2/46910713#46910713

.html

tr 태그는 포커스가 가능한 태그가 아니기 때문에 tabindex 속성 필요

...
<tr #trOrder tabindex="0">
    <td>...</td>
</tr>
...

.ts

import { ElementRef, QueryList, ViewChildren } from '@angular/core';
...
@ViewChildren('trOrder') trList: QueryList<ElementRef>;
...
setFocus(index) {
    this.trList.get(index).nativeElement.focus();
}

typescript, angular

 

문자열 표시 파이프

//--------------------------------------
// 문자열 표시 파이프
//--------------------------------------
/**
 * 문자열 형식 표시
 * options {
 *     replace: %s를 문자열로 변환하여 표시,
 *     pre:  문자열 앞에 표시
 *     post: 문자열 뒤에 표시
 *     limit: 지정한 길이만큼 표시
 * }
 * 사용법)
 *     {{ null | string : { post: '년' } }} => null
 *     {{ '2021' | string : { post: '년' } }} => '2021년'
 *     {{ '2021' | string : { replace: '(%s년 리모델링)' } }} => '(2021년 리모델링)'
 *     {{ 25 | string : { replace: '(지상 %s층)' } }} {{ 8 | string : { replace: ' / 지하 %s층' } }} => '지상 25층 / 지하 8층'
 *     {{ 25 | string : { replace: '(지상 %s층)' } }} {{ null | string : { replace: ' / 지하 %s층' } }} => '지상 25층'
 */
@Pipe({ name: 'string' })
export class StringPipe implements PipeTransform {
    transform(value: number | string, options?: { replace: string, pre: string, post: string, limit: number }): string {
        if (value) {
            let result: string = null;
            if (options?.replace) {
                result = options?.replace.replace('%s', ''+ value);
            } else {
                result = ((options?.pre) ? options?.pre : '') + value + ((options?.post) ? options?.post : '');
            }
            
            if (options.limit && result.length > options.limit) {
                result = result.slice(0, options.limit) +'...';
            }
            return result;
        } else {
            return null;
        }
    }
}

typescript, angular

 

숫자 데이터가 0인 경우 -로 표시하기 위해 기존 number 파이프 대신 제작

 

/**
 * 숫자형식 표시
 * 데이터가 0인 경우 - 로 표시
 * options {
 *     digits: 소수점 이하 표시할 자릿수,
 *     unit: 값 뒤에 표시할 단위명,
 *     text: 값이 null 일 때 표시할 텍스트,
 * }
 * 사용법)
 *     {{ 0 | number0 }} => -
 *     {{ null | number0 }} => null
 *     {{ null | number0 : { text: '별도표시' } }} => '별도표시'
 *     {{ 1234.12345 | number0 : { digits: 2, unit: '원' } }} => 1234.12원
 *     {{ 1234.12 | number0 : { replace: '(%s㎡)' } }} => '(1,234.12㎡)'
 */
@Pipe({ name: 'number0' })
export class NumberZero implements PipeTransform {
    transform(value: number | string, options?: { digits: number, unit: string, text: string, replace: string }): string {
        if (value != null) {
            let num = null;

            if (typeof(value) === 'string') {
                num = Number(value);
                if (isNaN(num)) {
                    return null;
                }
            } else {
                num = value;
                if (isNaN(num)) {
                    return null;
                }
            }

            if (num === 0) {
                return '-';
            } else {
                if (options?.replace) {
                	return options?.replace.replace('%s', trunc(num, options?.digits));
                } else {
                	return trunc(num, options?.digits) + ((options?.unit) ? options?.unit : '');
                }
            }
        } else {
            return (options?.text) ? options?.text : null;
        }
    }
}

function trunc(number, digits) {
    const n = number + '';
    const pos = n.lastIndexOf('.');
    if (pos > -1) {
        if (digits == null) {
            digits = n.length - (pos + 1);
        }
        return parseFloat(n.substr(0, pos + digits + 1)).toLocaleString('en', { minimumFractionDigits: digits });
    } else {
        if (digits == null) {
            digits = 0;
        }
        return number.toLocaleString('en', { minimumFractionDigits: digits });
    }
}

Angular 5 file upload using primeng fileupload component
    uploadImage(event, fu: FileUpload) {
        // file.name, file.size, file.type, file.objectURL
        const file: File = event.files[0];
        const reader: FileReader = new FileReader();

        reader.onloadend = (e) => {
            this.image = reader.result as string;  // Base64 문자열 이미지 데이터 저장
            fu.clear();     // 다시 업로드 가능하게 초기화
        };

        if (file) {
            reader.readAsDataURL(file);     // Base64 문자열 변환
        }
    }