Nouvelle publication

查找

Annonce
· 16 hr il y a

Top InterSystems Developer Community Authors of 2025

Hey Developers,

It's time to announce the Top InterSystems Developer Community Authors of 2025 🎉

We are pleased to reward the most active contributors across all regional DC sites (EN, ES, PT, JP, CN, and FR):

  • Breakthrough of the Year
  • Top Best-Selling Authors
  • Top Experts
  • Top Opinion Leaders

Let's look at the DC Wall of Fame of 2025 and greet everyone with big applause! 👏

Badge's Name Winners DC Winners InterSystems
 
Nomination: Breakthrough of the Year
Breakthrough of 2025

  

@Vachan C Rannore
@Harshitha
@Andrew Sklyarov
@Arsh Hasan
@Stav Bendarsky

@Liam Evans
@Derek Gervais
@Beatrice Zorzoli
@Thibault Odor
@Marco Bahamondes

 
Nomination: InterSystems Best-selling Author
1st place: 
Gold Best-Selling Author

  

@Heloisa Paiva

@Luis Angel Pérez Ramos

2nd place: 
Silver Best-Selling Author

  

@Yuri Marx

@Hiroshi Sato

3rd place: 
Bronze Best-Selling Author

  

@姚 鑫

@Guillaume Rongier

Best-Selling Author

  

@sween
@Ashok Kumar T 
@Iryna Mykhailova 
@Muhammad Waseem 
@Robert Cemper 
@Julio Esquerdo 
@Dmitry Maslennikov 

@Megumi Kakechi
@Sylvain Guilbaud 
@Toshihiko Minamoto 
@Ricardo Paiva 
@Evgeny Shvarov 
@Jose-Tomas Salvador 
@Mihoko Iijima 

 
Nomination: InterSystems Expert
1st place: 
Gold Expert

  

@Enrico Parisi  

@Luis Angel Pérez Ramos

2nd place: 
SilverExpert

  

@Robert Cemper

@Alexander Koblov

3rd place: 
Bronze Expert

  

@Jeffrey Drumm

@Brett Saviano
@Eduard Lebedyuk

DC Expert

  

@Julius Kavay
@John Murray
@David Hockenbroch
@Ashok Kumar T 
@Robert Barbiaux 
@Stephen Canzano 
@Yaron Munz 

@Ben Spead 
@Timo Lindenschmid 
@Guillaume Rongier 
@Timothy Leavitt 
@Sylvain Guilbaud 
@Tani Frankel 

 
Nomination: InterSystems Opinion Leader
1st place: 
Gold Opinion Leader

  

@Robert Cemper

@Luis Angel Pérez Ramos

2nd place: 
Silver Opinion Leader

  

@Andre Larsen Barbosa

@Evgeny Shvarov

3rd place: 
Bronze Opinion Leader

  

@Dmitry Maslennikov

@Tani Frankel

DC Opinion Leader

  

@Yuri Marx
@Iryna Mykhailova 
@Ashok Kumar T 
@Enrico Parisi 
@Kurro Lopez 
@Muhammad Waseem 
@Henry Pereira 

@Guillaume Rongier
@Ben Spead 
@Eduard Lebedyuk 
@Alberto Fuentes 
@Sylvain Guilbaud 
@Danusa Calixto 
@Timothy Leavitt 

This list is a good reason to start following some of the great authors of the Developer Community ;)

BIG APPLAUSE TO OUR WINNERS!

Congratulations to all of you, and thank you for your great contributions to the InterSystems Developer Community in 2025! 

10 nouveaux commentaires
Discussion (10)7
Connectez-vous ou inscrivez-vous pour continuer
Article
· 16 hr il y a 3m de lecture

Uso de auditoría de Python para depuración de Python embebido

PEP 578 añadió hooks de auditoría de Python. Una gran variedad de eventos (carga de módulos, interacciones con el sistema operativo, etc.) generan eventos de auditoría a los que podéis suscribiros.

Así es como se hace. Primero, cread un hook de Python embebido:

Class User.Python
{

/// do ##class(User.Python).Audit()
ClassMethod Audit() [ Language = python ]
{
import sys
import time
def logger(event,args):
     if event=='import':
        module = args[0]
        print(f"Loading {module}")
        if module == "numpy":
            print(f"Module {module} forbidden. Terminating process in 3.")
            time.sleep(3)
            sys.exit(0)
     elif event in ('compile','exec'):
        print(f"{event}: {args}")
     elif event in ('code.__new__','open'):
        # do nothing for this event
        x=1
     else:
        print(f"{event}")

sys.addaudithook(logger)
}

}

En este ejemplo:

  • Terminamos el proceso si numpy comienza a cargarse
  • Mostramos el evento y sus argumentos para los eventos de compile/exec
  • Ignoramos los eventos de código
  • Registramos todos los demás eventos

Todo esto se escribirá en el STDOUT por defecto.

Para empezar la auditoría, basta con llamar a este método para registrar vuestro hook, o incluso podéis hacerlo automáticamente al iniciar el proceso (job):

%ZSTART
JOB
    new $namespace
    set $namespace = "%SYS"
    do ##class(User.Python).Audit()
    quit
LOGIN
    do JOB
    quit

Aquí tenéis un ejemplo de salida:

%SYS>:PY
Loading code
exec: (<code object <module> at 0x000001AB82A0F2F0, file "c:\intersystems\iris\lib\python\lib\code.py", line 1>,)
Loading traceback
exec: (<code object <module> at 0x000001AB82A173A0, file "c:\intersystems\iris\lib\python\lib\traceback.py", line 1>,)
Loading linecache
exec: (<code object <module> at 0x000001AB82A17A80, file "c:\intersystems\iris\lib\python\lib\linecache.py", line 1>,)
Loading tokenize
exec: (<code object <module> at 0x000001AB82A32030, file "c:\intersystems\iris\lib\python\lib\tokenize.py", line 1>,)
Loading token
exec: (<code object <module> at 0x000001AB82A323A0, file "c:\intersystems\iris\lib\python\lib\token.py", line 1>,)
compile: (b'lambda _cls, type, string, start, end, line: _tuple_new(_cls, (type, string, start, end, line))', '<string>')
exec: (<code object <module> at 0x000001AB82A32710, file "<string>", line 1>,)
sys._getframe
object.__setattr__
Loading codeop
exec: (<code object <module> at 0x000001AB82A32EA0, file "c:\intersystems\iris\lib\python\lib\codeop.py", line 1>,)
Loading __future__
exec: (<code object <module> at 0x000001AB82A472F0, file "c:\intersystems\iris\lib\python\lib\__future__.py", line 1>,)
 
Python 3.9.5 (default, May 31 2022, 12:35:47) [MSC v.1927 64 bit (AMD64)] on win32
Type quit() or Ctrl-D to exit this shell.
compile: (b'import iris', '<input>')
compile: (b'import iris\n', '<input>')
compile: (b'import iris\n\n', '<input>')
exec: (<code object <module> at 0x000001AB82A60870, file "<input>", line 1>,)
>>> import json
compile: (b'import json', '<input>')
compile: (b'import json\n', '<input>')
compile: (b'import json\n\n', '<input>')
exec: (<code object <module> at 0x000001AB82A60870, file "<input>", line 1>,)
Loading json
exec: (<code object <module> at 0x000001AB82A60DF0, file "c:\intersystems\iris\lib\python\lib\json\__init__.py", line 1>,)
Loading json.decoder
os.listdir
exec: (<code object <module> at 0x000001AB82A67710, file "c:\intersystems\iris\lib\python\lib\json\decoder.py", line 1>,)
Loading json.scanner
exec: (<code object <module> at 0x000001AB82A679D0, file "c:\intersystems\iris\lib\python\lib\json\scanner.py", line 1>,)
Loading _json
Loading json.encoder
exec: (<code object <module> at 0x000001AB82A71500, file "c:\intersystems\iris\lib\python\lib\json\encoder.py", line 1>,)
>>> x=1
compile: (b'x=1', '<input>')
compile: (b'x=1\n', '<input>')
compile: (b'x=1\n\n', '<input>')
exec: (<code object <module> at 0x000001AB82A60870, file "<input>", line 1>,)

Creo que esto os puede resultar útil para la depuración.

Discussion (0)1
Connectez-vous ou inscrivez-vous pour continuer
Discussion (0)1
Connectez-vous ou inscrivez-vous pour continuer
Annonce
· 18 hr il y a

Aviso de mantenimiento de la comunidad de desarrolladores (21–22 de febrero)

¡Hola, desarrolladores!

Tened en cuenta que la Comunidad de Desarrolladores se someterá a un mantenimiento programado los días 21 y 22 de febrero de 2026.

Durante este período, el sitio no estará disponible durante varias horas. Dependiendo de vuestra ubicación, podéis experimentar interrupciones temporales en distintos momentos dentro de este intervalo.

Este mantenimiento es necesario porque estamos migrando a una nueva versión del framework subyacente. Aunque la mayor parte de la interfaz y la funcionalidad seguirán siendo las mismas, es posible que notéis que algunos elementos se ven o funcionan de forma ligeramente diferente después de la actualización.

Tras el mantenimiento, podría producirse cierta inestabilidad temporal mientras los servicios vuelven a estar completamente en línea.

Si notáis algún problema, os agradeceríamos mucho vuestros comentarios; por favor, informad de ello aquí.

¡Gracias por vuestra paciencia y comprensión!

Discussion (0)1
Connectez-vous ou inscrivez-vous pour continuer
Article
· 19 hr il y a 7m de lecture

Smart Approval Method for Laboratory Information Management System

 

Introduction

In modern diagnostics and research environments, speed, accuracy, and compliance are critical. Laboratories process hundreds or even thousands of samples daily, making manual validation and approval processes inefficient and error-prone. A Laboratory Information Management System plays a vital role in automating workflows, improving traceability, and ensuring reliable results. One of the most impactful advancements in a laboratory information management system is the implementation of a smart approval method.

A smart approval method within a lims laboratory information management system enhances the verification and authorization of laboratory test results. By using automated validation rules, role-based access controls, and digital workflows, laboratories can reduce turnaround time while maintaining high-quality standards. This approach strengthens the reliability of laboratory data and improves operational efficiency.

Understanding Smart Approval in LIMS

Smart approval refers to an intelligent, automated result validation and authorization process embedded within a Laboratory Information Management System. Instead of relying entirely on manual review, the system uses predefined rules, quality checks, and alert mechanisms to evaluate test results before final approval.

In a traditional setup, laboratory supervisors manually review each result before releasing reports. While this ensures oversight, it can slow down operations and increase the risk of human oversight errors. A lab management information system with smart approval capabilities automates routine validations and flags only abnormal or critical results for further review.

The lims laboratory information management system can automatically:

  • Compare results against reference ranges
  • Detect inconsistencies or instrument errors
  • Highlight critical values
  • Route results to authorized personnel
  • Maintain digital audit trails

This structured approach ensures accuracy while accelerating reporting processes.

Workflow of Smart Approval Method

Automated Result Validation

When laboratory instruments generate test results, they are automatically uploaded into the Laboratory Information Management System. The system applies predefined validation rules, checking results against normal reference ranges and historical patient data. If results fall within acceptable parameters, they may be auto-approved.

Rule-Based Decision Making

The laboratory information management system uses configured approval rules to determine whether results require manual intervention. For example, abnormal findings, critical values, or inconsistent data are flagged for review. This minimizes unnecessary manual checks and ensures attention is given where it is most needed.

Role-Based Authorization

A smart approval method ensures that only authorized personnel can validate and release reports. The lims laboratory information management system assigns permissions based on roles such as technician, pathologist, or laboratory manager. This enhances accountability and strengthens compliance with regulatory standards.

Digital Audit Trails

Every action within the lab management information system is recorded, including edits, validations, and approvals. These audit trails support accreditation requirements and help laboratories maintain transparency during inspections.

Role LIMS Play in Healthcare

The role LIMS play in healthcare extends far beyond data management. Accurate and timely laboratory reports directly influence diagnosis, treatment decisions, and patient outcomes. By implementing a smart approval method within a Laboratory Information Management System, healthcare facilities can significantly reduce reporting delays.

Hospitals and diagnostic centers rely on laboratory results to guide clinical decisions. A laboratory information management system ensures that only verified and validated results are released. Automated alerts for critical values enable faster communication with physicians, potentially saving lives in emergency situations.

Additionally, improved approval workflows enhance patient safety by reducing the chances of reporting incorrect or incomplete results. This demonstrates how essential LIMS play in healthcare settings where precision and speed are paramount.

Benefits of Laboratory Information Management System with Smart Approval

There are numerous benefits of laboratory information management system implementation, particularly when smart approval methods are integrated.

Improved Accuracy

Automated validation reduces human errors and ensures consistent quality control. The Laboratory Information Management System verifies data before release, minimizing the risk of inaccurate reporting.

Faster Turnaround Time

Routine results can be auto-approved, significantly reducing delays. The lims laboratory information management system accelerates workflow while maintaining oversight for complex cases.

Enhanced Compliance

Audit trails, digital signatures, and role-based access controls ensure compliance with regulatory and accreditation standards. A lab management information system simplifies documentation and inspection readiness.

Better Resource Utilization

By automating routine approvals, laboratory professionals can focus on complex analyses and quality improvement initiatives. This improves productivity and operational efficiency.

ncreased Patient Safety

Smart alerts for abnormal or critical results ensure timely medical intervention. The Laboratory Information Management System strengthens communication between laboratories and healthcare providers.

Integration with Laboratory Billing Software

Smart approval methods also contribute to improved financial management when integrated with Laboratory Billing Software. Once test results are validated and approved in the Laboratory Information Management System, billing processes can be triggered automatically.

This integration ensures:

  • Accurate billing based on approved tests
  • Reduced revenue leakage
  • Transparent financial records
  • Faster claim processing

By connecting diagnostic workflows with Laboratory Billing Software, laboratories create a seamless link between clinical operations and administrative management.

Importance for Pathology Laboratories

Pathology laboratories handle complex diagnostic procedures that often require multi-level review. Pathology Lab Software integrated with a Laboratory Information Management System supports structured validation workflows tailored to histopathology, cytology, and microbiology testing.

Smart approval in Pathology Lab Software allows:

  • Multi-tier review processes
  • Digital slide integration
  • Automated result comparison
  • Secure electronic signatures

A lab management information system ensures that even high-volume pathology labs maintain strict quality control standards while improving reporting efficiency.

Security and Data Protection

Data security is a critical concern in healthcare environments. A robust Laboratory Information Management System ensures that only authorized users can approve and release results. Role-based permissions prevent unauthorized access, and encrypted storage protects sensitive patient information.

The lims laboratory information management system also maintains secure backups and disaster recovery protocols. These measures safeguard laboratory data and ensure continuity of operations.

Future of Smart Approval in LIMS

As technology evolves, smart approval methods are becoming more advanced. Artificial intelligence and machine learning algorithms are being integrated into the Laboratory Information Management System to enhance predictive analytics and anomaly detection.

Future developments may include:

  • AI-based result interpretation
  • Predictive quality control monitoring
  • Automated compliance reporting
  • Cloud-based approval workflows

These innovations will further enhance the benefits of laboratory information management system solutions and strengthen their role in healthcare.

Conclusion

The smart approval method in a Laboratory Information Management System represents a significant advancement in laboratory automation. By combining automated validation, rule-based workflows, and role-based authorization, laboratories can improve accuracy, efficiency, and compliance.

The integration of a lims laboratory information management system with Laboratory Billing Software and Pathology Lab Software creates a comprehensive solution that supports both clinical excellence and operational efficiency. The role LIMS play in healthcare continues to expand, ensuring reliable diagnostics and improved patient outcomes.

In today’s competitive and highly regulated healthcare environment, adopting a smart approval-enabled lab management information system is not just beneficial—it is essential for delivering secure, timely, and high-quality laboratory services.

Discussion (0)1
Connectez-vous ou inscrivez-vous pour continuer