각도 2 호버 이벤트
새로운 Angular2 프레임워크에서 이벤트처럼 호버하는 적절한 방법을 아는 사람이 있습니까?
Angular1에는ng-Mouseover
하지만 그건 이월되지 않은 것 같아요.
서류를 다 뒤져봤지만 아무것도 못 찾았어요
HTML 요소에서 Hover like 이벤트를 수행하려는 경우 다음과 같이 수행할 수 있습니다.
HTML
<div (mouseenter) ="mouseEnter('div a') " (mouseleave) ="mouseLeave('div A')">
<h2>Div A</h2>
</div>
<div (mouseenter) ="mouseEnter('div b')" (mouseleave) ="mouseLeave('div B')">
<h2>Div B</h2>
</div>
요소
import { Component } from '@angular/core';
@Component({
moduleId: module.id,
selector: 'basic-detail',
templateUrl: 'basic.component.html',
})
export class BasicComponent{
mouseEnter(div : string){
console.log("mouse enter : " + div);
}
mouseLeave(div : string){
console.log('mouse leave :' + div);
}
}
둘 다 사용해야 합니다.mouseenter
그리고.mouseleave
angular 2에서 기능하는 호버 이벤트를 완전히 구현하기 위한 이벤트입니다.
있다on-mouseover
대신 angular2로ng-Mouseover
예를 들어 각 1.x와 같기 때문에, 다음과 같이 쓸 필요가 있습니다:-
<div on-mouseover='over()' style="height:100px; width:100px; background:#e2e2e2">hello mouseover</div>
over(){
console.log("Mouseover called");
}
@Gunter 댓글에 제시된 바와 같이on-mouseover
이것도 쓸 수 있어요.일부 사람들은 표준 형식이라고 알려진 접두사 대안을 선호합니다.
갱신하다
HTML 코드 -
<div (mouseover)='over()' (mouseout)='out()' style="height:100px; width:100px; background:#e2e2e2">hello mouseover</div>
컨트롤러/TS 코드 -
import { Component } from '@angular/core';
@Component({
selector: 'my-app',
templateUrl: './app.component.html',
styleUrls: [ './app.component.css' ]
})
export class AppComponent {
name = 'Angular';
over(){
console.log("Mouseover called");
}
out(){
console.log("Mouseout called");
}
}
일부 다른 마우스 이벤트는 Angular에서 사용할 수 있습니다.
(mouseenter)="myMethod()"
(mousedown)="myMethod()"
(mouseup)="myMethod()"
호스트를 사용하여 수행할 수 있습니다.
import { Directive, ElementRef, Input } from '@angular/core';
@Directive({
selector: '[myHighlight]',
host: {
'(mouseenter)': 'onMouseEnter()',
'(mouseleave)': 'onMouseLeave()'
}
})
export class HighlightDirective {
private _defaultColor = 'blue';
private el: HTMLElement;
constructor(el: ElementRef) { this.el = el.nativeElement; }
@Input('myHighlight') highlightColor: string;
onMouseEnter() { this.highlight(this.highlightColor || this._defaultColor); }
onMouseLeave() { this.highlight(null); }
private highlight(color:string) {
this.el.style.backgroundColor = color;
}
}
고객님의 코드에 맞게 조정하기만 하면 됩니다(https://angular.io/docs/ts/latest/guide/attribute-directives.html 참조).
마우스가 컴포넌트 중 하나에 들어가거나 나가는 데 관심이 있는 경우@HostListener
데코레이터:
import { Component, HostListener, OnInit } from '@angular/core';
@Component({
selector: 'my-component',
templateUrl: './my-component.html',
styleUrls: ['./my-component.scss']
})
export class MyComponent implements OnInit {
@HostListener('mouseenter')
onMouseEnter() {
this.highlight('yellow');
}
@HostListener('mouseleave')
onMouseLeave() {
this.highlight(null);
}
...
}
OP에 대한 @Brandon 코멘트 링크(https://angular.io/docs/ts/latest/guide/attribute-directives.html)에서 설명)에 설명되어 있습니다.
간단히 하다(mouseenter)
속성(Angular2+)...
HTML에서 다음 작업을 수행합니다.
<div (mouseenter)="mouseHover($event)">Hover!</div>
컴포넌트에서는 다음 작업을 수행합니다.
import { Component, OnInit } from '@angular/core';
@Component({
selector: 'component',
templateUrl: './component.html',
styleUrls: ['./component.scss']
})
export class MyComponent implements OnInit {
mouseHover(e) {
console.log('hovered', e);
}
}
오버 시 이벤트를 처리하기 위해 다음과 같은 작업을 수행할 수 있습니다(저에게는 효과가 있습니다.
Html 템플릿:
<div (mouseenter)="onHovering($event)" (mouseleave)="onUnovering($event)">
<img src="../../../contents/ctm-icons/alarm.svg" class="centering-me" alt="Alerts" />
</div>
각도 구성 요소:
onHovering(eventObject) {
console.log("AlertsBtnComponent.onHovering:");
var regExp = new RegExp(".svg" + "$");
var srcObj = eventObject.target.offsetParent.children["0"];
if (srcObj.tagName == "IMG") {
srcObj.setAttribute("src", srcObj.getAttribute("src").replace(regExp, "_h.svg"));
}
}
onUnovering(eventObject) {
console.log("AlertsBtnComponent.onUnovering:");
var regExp = new RegExp("_h.svg" + "$");
var srcObj = eventObject.target.offsetParent.children["0"];
if (srcObj.tagName == "IMG") {
srcObj.setAttribute("src", srcObj.getAttribute("src").replace(regExp, ".svg"));
}
}
컴포넌트 전체를 마우스로 가리킬 수 있는 경우 다음 작업을 직접 수행할 수 있습니다.@hostListener
아래 마우스를 실행하는 이벤트를 처리합니다.
import {HostListener} from '@angular/core';
@HostListener('mouseenter') onMouseEnter() {
this.hover = true;
this.elementRef.nativeElement.addClass = 'edit';
}
@HostListener('mouseleave') onMouseLeave() {
this.hover = false;
this.elementRef.nativeElement.addClass = 'un-edit';
}
다음에서 이용 가능합니다.@angular/core
각도로 테스트했습니다.4.x.x
@Component({
selector: 'drag-drop',
template: `
<h1>Drag 'n Drop</h1>
<div #container
class="container"
(mousemove)="onMouseMove( container)">
<div #draggable
class="draggable"
(mousedown)="onMouseButton( container)"
(mouseup)="onMouseButton( container)">
</div>
</div>`,
})
http://lishman.io/angular-2-event-binding
hold되는 html의 js/ts 파일에서
@Output() elemHovered: EventEmitter<any> = new EventEmitter<any>();
onHoverEnter(): void {
this.elemHovered.emit([`The button was entered!`,this.event]);
}
onHoverLeave(): void {
this.elemHovered.emit([`The button was left!`,this.event])
}
HTML에서 정지합니다.
(mouseenter) = "onHoverEnter()" (mouseleave)="onHoverLeave()"
호버링 정보를 수신하는 js/ts 파일
elemHoveredCatch(d): void {
console.log(d)
}
catching js/ts 파일에 연결된 HTML 요소
(elemHovered) = "elemHoveredCatch($event)"
호버 효과만 원하는 경우 를 사용하십시오.
npm i hover.css
- 줄지어
angular.json
소유물projects.architect.build.options.styles
--> 어레이에 다음 행을 추가합니다.node_modules/hover.css/scss/hover.scss
효과를 원하는 요소에 대한 클래스 중 하나를 사용합니다.
<div *ngFor="let source of sources">
<div class="row justify-content-center">
<div class="col-12 hvr-glow">
<!-- My content -->
</div>
</div>
</div>
언급URL : https://stackoverflow.com/questions/37686772/angular-2-hover-event
'source' 카테고리의 다른 글
MariaDB JDBC 클라이언트 로깅이 작동하지 않음 (0) | 2022.09.16 |
---|---|
JavaScript에서 backtick 문자(') 사용 (0) | 2022.09.16 |
Virtual DOM이란? (0) | 2022.09.15 |
세션이 타임아웃되었음을 클라이언트에 알리기 위해 어떤 http 상태 코드를 사용해야 합니까? (0) | 2022.09.15 |
정규 표현에서 중첩된 캡처 그룹의 번호는 어떻게 지정됩니까? (0) | 2022.09.15 |