npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@osumi/angular-tools

v1.1.3

Published

Tools to be used on Angular projects.

Downloads

1,042

Readme

Osumi Angular Tools

Librería de componentes y servicios reutilizables. En esta librería se incluyen las siguientes funcionalidades:

  • dialog: Servicio para crear ventanas de diálogo (alert, confirm y form).
  • overlay: Servicio para crear ventanas modales en las que cargar componentes personalizados.

NOTA: Para poder usar estos servicios es necesario usar Angular 18.2+, Angular Material 18.2+, Angular CDK 18.2+ y rxjs 7.8+

dialog

Permite mostrar diálogos con mensajes personalizados.

NOTA: Los diálogos incluyen una serie de estilos por defecto. Para poder usarlos es necesario añadirlos en el archivo angular.json de la siguiente manera:

"styles": [
  "@angular/material/prebuilt-themes/azure-blue.css",
  "src/styles.scss",
  "@osumi/angular-tools/lib/styles/dialogs.scss"
],

Estos estilos por defecto luego se pueden sobrescribir usando variables CSS:

:root {
  --dialogs-color-warn: #ba1a1a;
  --dialogs-color-white: #fff;
}

alert

Muestra un diálogo con un título (title) y un texto (content) personalizado. También permite personalizar el texto del botón "Continuar" (ok).

dialog: DialogService = inject(DialogService);

this.dialog.alert({
  title: "Datos guardados",
  content: 'Los datos del cliente "' + this.selectedClient.nombreApellidos + '" han sido correctamente guardados.',
  ok: "Continuar",
});

confirm

Muestra un diálogo con un título (title) y texto (content) personalizables. Permite personalizar el texto de los botones "Continuar" (ok) y "Cancelar" (cancel).

dialog: DialogService = inject(DialogService);

this.dialog
  .confirm({
    title: "Confirmar",
    content: '¿Estás seguro de querer borrar el cliente "' + this.selectedClient.nombreApellidos + '"?',
    ok: "Continuar",
    cancel: "Cancelar",
  })
  .subscribe((result) => {
    if (result === true) {
      this.confirmDeleteCliente();
    }
  });

form

Permite mostrar un diálogo con una serie de campos (fields), un pequeño formulario. Como en los casos anteriores se puede personalizar el título (title), el texto (content) y los botones "Continuar" (ok) y "Cancelar" (cancel).

dialog: DialogService = inject(DialogService);

this.dialog
  .form({
    title: "Introducir email",
    content: "Introduce el email del cliente",
    ok: "Continuar",
    cancel: "Cancelar",
    fields: [{ title: "Email", type: "email", value: null }],
  })
  .subscribe((result: DialogOptions): void => {
    if (result !== undefined) {
      this.sendTicket(this.historicoVentasSelected.id, result[0].value);
    }
  });

overlay

Permite mostrar ventanas modales con componentes personalizados. Estos componentes luego pueden pasar datos de vuelta. Se incluye la interfaz Modal que se puede extender con campos personalizados para pasar información al modal que se muestra.

// Componente que abre un modal
export interface BuscadorModal extends Modal {
  key: string;
}

os: OverlayService = inject(OverlayService);

const modalBuscadorData: BuscadorModal = {
  modalTitle: "Buscador",
  modalColor: "blue",
  css: "modal-wide",
  key: ev.key,
};
const dialog = this.os.open(BuscadorModalComponent, modalBuscadorData); // BuscadorModalComponent sería el componente a mostrar en el modal
dialog.afterClosed$.subscribe((data): void => {
  if (data.data !== null) {
    console.log(data.data); // Resultado obtenido del modal
  } else {
    console.log("El modal se ha cerrado sin devolver datos.");
  }
});

// Componente BuscadorModalComponent abierto en el modal
export default class BuscadorModalComponent implements OnInit {
  private customOverlayRef: CustomOverlayRef<null, { key: string }> = inject(CustomOverlayRef); // Referencia de la que obtener los datos pasados al modal y para pasarle datos de vuelta

  ngOnInit(): void {
    this.searchName = this.customOverlayRef.data.key; // Propiedad pasada al modal
  }

  selectBuscadorResultadosRow(row: ArticuloBuscador): void {
    this.customOverlayRef.close(row.localizador); // Cerrar el modal devolviendo datos al componente padre
  }
}