Nova postagem

Pesquisar

Artigo
· Jun. 25 3min de leitura

First half of the InterSystems Ready 2025

Hi Community!

I'm super excited to be your on-the-ground reporter for the biggest developer event of the year - InterSystems Ready 2025!

As you may know from previous years, our global summits are always exciting, exhilarating, and packed with valuable knowledge, innovative ideas, and exciting news from InterSystems. This year is no different. But let's not get ahead of ourselves and start from the beginning.

Pre-summit day was, as usual, filled with fun and educational experiences. Those who enjoy playing golf (I among them) got up at the crack of dawn to tee off before the sun got too high up. Here's our dream team in action:

   

@sween, @Mark Bolinsky, @Anzelem Sanyatwe, @Iryna Mykhailova 

If you're interested, here are the results (but to save you the suspense, we didn't win 😭):

The other group of sports enthusiasts went to play football (AKA soccer). And those who are differently inclined attended the different workshops planned for Sunday:

  • AI-enabling your applications with InterSystems IRIS
  • Discovering InterSystems products: a high-level overview
  • Get ready to build with FHIR in InterSystems: visualizing data as FHIR resources
  • From FHIR to insights: analytics with FHIRPath, SQL Builder, and Pandas
  • Ready Startup Forum: insights, innovations & investment with InterSystems

Yet another exciting yearly pre-summit event was a Women's meet-up and reception. Unfortunately, after playing 18 hot and humid holes, I didn't have enough time to make myself presentable before the beginning. 

Anyway, everyone was ready to begin the InterSystems Ready 2025 with a bang and turned up at the Welcome reception on time!

Let me share a secret - it's always a highlight of the event to meet friends and colleagues after a long pause.

@Iryna Mykhailova, @Johan Jacob, @Lorenzo Scalese, @Adeline Icard, @Guillaume Rongier 

And on Monday, the main event began with the keynote presentation from Terry Ragon, CEO & Founder of InterSystems, with a warm welcome, highlighting InterSystems' dedication to creating technology that truly matters during a time of fast change. He discussed the great promise of AI and data platforms to enhance healthcare and emphasized the importance of making a tangible difference, rather than merely following trends.

Later on, there was a panel discussion moderated by Jennifer Eaton between @Don Woodlock, Scott Gnau, and Tim Ferris on the future of healthcare.

Right before lunch was the best presentation of the day! And it was the best because it mentioned the Developer Community. And to share the excitement of it with you, here's a short clip from it:

And to make your day, here are a couple of photos of one of the presenters, @Randy Pallotta

The AI did a good job, or did it 😁

Anyway, after lunch, our Developer Community booth at the Tech Exchange was ready to roll.

All our cool prizes and games were out and ready to amaze and entertain our guests!

And they soon came.

  

 

At the same time, in the hallway outside the Tech Exchange, the startups were doing their presentations. Here's a photo from the SerenityGPT presentation about their software, which utilizes IRIS Vector search to maximize the potential of clinical data.

And all the while, there were interesting presentations and use-cases of InterSystems technology from InterSystems colleagues and guests:

Moreover, there's a big screen for presentations in Tech Exchange, so don't miss it!

This very long and exciting day ended on a really high note - the Ready Games at the Demos and Drinks! There were many great demos from which the guests had to choose the winners — two runner-ups in each category and two winners, for Most Innovative and Most Likely to Use.

Btw, the winners of the Most Likely to Use category are from Lead North, who brought with them the coolest stickers ever:

So, if you're at the Ready 2025 and haven't yet picked up a cute sticker, don't miss your chance to get one (or more) and to talk to @Andre Ribera and his colleagues! Swing by the Partner Pavilion (which starts outside the Tech Exchange) and you will definitely find something you like. 

So this is it about the first 1.5 days of the Ready 2025. Look out for a new recap tomorrow of the rest of it. And let me tell you, it is unforgettable! 

Discussão (0)1
Entre ou crie uma conta para continuar
Pergunta
· Jun. 24

TCP connection problems

I'm trying to open a TCP connection to a remote system. The Caché command I'm using to open the connection is OPEN "|TCP|"_PORT:(IP::"PSE"):10 where PORT is a port number in the range 40000 to 40100 and IP is a standard IPv4 addess like 10.200.100.50
the connection appears to open because $TEST becomes 1.
I'm then writing to the open port with USE "|TCP|"_PORT:(::"S") WRITE "some text",*-3
It's a windows system

4 novos comentários
Discussão (4)3
Entre ou crie uma conta para continuar
Artigo
· Jun. 24 3min de leitura

Exposing a Basic REST API with InterSystems IRIS: Step-by-Step Docker Example

Introduction

InterSystems IRIS allows you to build REST APIs using ObjectScript classes and the %CSP.REST framework. This enables the development of modern services to expose data for web apps, mobile apps, or system integrations.

In this article, you'll learn how to create a basic REST API in InterSystems IRIS, including:

  • A persistent data class
  • A REST class with GET and POST methods
  • A web application to expose the API
  • A full demonstration using Docker

Step 1: Create the data class Demo.Producto

Class Demo.Producto Extends (%Persistent, %JSON.Adaptor) {
  Property Nombre As %String;
  Property Precio As %Numeric(10,2);
}
  • %Persistent allows storing the object in the database.
  • %JSON.Adaptor enables automatic JSON conversion.

Step 2: Create the REST class Demo.ProductoAPI

Class Demo.ProductoAPI Extends %CSP.REST {

XData UrlMap [ XMLNamespace = "http://www.intersystems.com/urlmap" ] {
  <Routes>
    <Route Url="/producto" Method="GET" Call="Listar"/>
    <Route Url="/producto" Method="POST" Call="Crear"/>
  </Routes>
}

ClassMethod Listar() As %Status
{
   Try {
    Set productos = []
    &sql(DECLARE C1 CURSOR FOR SELECT ID, Nombre, Precio FROM Demo.Producto)
    &sql(OPEN C1)
    While (SQLCODE=0) {
      &sql(FETCH C1 INTO :id, :nombre, :precio)
      Quit:SQLCODE'=0
      Do productos.%Push({"ID": (id), "Nombre": (nombre), "Precio": (precio)})
    }

    Do ##class(%REST.Impl).%SetContentType("application/json")
    Do ##class(%REST.Impl).%SetStatusCode("200")
    Write productos.%ToJSON()
    } Catch (ex) {
        Do ##class(%REST.Impl).%SetStatusCode("400")
       Write ex.DisplayString()
    }
  Quit $$$OK
}

ClassMethod Crear() As %Status
{
  Try {
    set dynamicBody = {}.%FromJSON(%request.Content)
    Set prod = ##class(Demo.Producto).%New()
    Set prod.Nombre = dynamicBody.%Get("Nombre")
    Set prod.Precio = dynamicBody.%Get("Precio")
    Do prod.%Save()

    Do ##class(%REST.Impl).%SetContentType("application/json")
    Do ##class(%REST.Impl).%SetStatusCode("200")
    Write prod.%JSONExport()
    } Catch (ex) {
        Do ##class(%REST.Impl).%SetStatusCode("400")
       Write ex.DisplayString()
    }
    Quit $$$OK
}

}

Step 3: Create a Web Application

From the Management Portal:

  1. Go to System Administration > Security > Applications > Web Applications
  2. Create a new application:
    • URL: /api/productos
    • Namespace: USER
    • Class: Demo.ProductoAPI
    • Enable REST and anonymous access for testing

http://localhost:52773/csp/sys/%25CSP.Portal.Home.zen  User=SuperUser Pass=SYS

Add Developer Application Functions


Step 4: Docker demonstration

Project structure

apirest-demo/
├── Dockerfile
├── iris.script
└── cls/
    ├── Demo.Producto.cls
    └── Demo.ProductoAPI.cls

Dockerfile

FROM intersystemsdc/iris-community:latest

COPY cls /irisdev/app/cls
COPY iris.script /irisdev/app/iris.script

RUN iris start IRIS \
 && iris session IRIS < /irisdev/app/iris.script \
 && iris stop IRIS quietly

Build and run the container

cd apirest-demo
docker build -t iris-apirest-demo .
docker run -d --name iris-api -p 52773:52773 -p 1972:1972 iris-apirest-demo

Testing with Postman or curl

GET products

curl http://localhost:52773/api/productos/producto

POST product

curl -X POST http://localhost:52773/api/productos/producto \
  -H "Content-Type: application/json" \
  -d '{"Nombre":"Cafe","Precio":2500}'

to download the example code https://github.com/MarcoBahamondes/apirest-demo

git clone https://github.com/MarcoBahamondes/apirest-demo
2 novos comentários
Discussão (2)2
Entre ou crie uma conta para continuar
Artigo
· Jun. 24 3min de leitura

Exponer una API REST básica con InterSystems IRIS: Ejemplo paso a paso en Docker

Introducción

InterSystems IRIS permite crear APIs REST utilizando clases ObjectScript y el framework %CSP.REST. Esta funcionalidad permite desarrollar servicios modernos para exponer datos a aplicaciones web, móviles o integraciones externas.

En este artículo aprenderás cómo crear una API REST básica en InterSystems IRIS, incluyendo:

  • Clase de datos persistente
  • Clase REST con métodos GET y POST
  • Web application para exponer la API
  • Demostración completa con Docker

Paso 1: Crear la clase de datos Demo.Producto

Class Demo.Producto Extends (%Persistent, %JSON.Adaptor) {
  Property Nombre As %String;
  Property Precio As %Numeric(10,2);
}
  • %Persistent permite almacenar en la base de datos.
  • %JSON.Adaptor facilita convertir objetos a JSON.

Paso 2: Crear la clase REST Demo.ProductoAPI

Class Demo.ProductoAPI Extends %CSP.REST {

XData UrlMap [ XMLNamespace = "http://www.intersystems.com/urlmap" ] {
  <Routes>
    <Route Url="/producto" Method="GET" Call="Listar"/>
    <Route Url="/producto" Method="POST" Call="Crear"/>
  </Routes>
}
ClassMethod Listar() As %Status
{
   Try {
    Set productos = []
    &sql(DECLARE C1 CURSOR FOR SELECT ID, Nombre, Precio FROM Demo.Producto)
    &sql(OPEN C1)
    While (SQLCODE=0) {
      &sql(FETCH C1 INTO :id, :nombre, :precio)
      Quit:SQLCODE'=0
      Do productos.%Push({"ID": (id), "Nombre": (nombre), "Precio": (precio)})
    }

    Do ##class(%REST.Impl).%SetContentType("application/json")
    Do ##class(%REST.Impl).%SetStatusCode("200")
    Write productos.%ToJSON()
    } Catch (ex) {
        Do ##class(%REST.Impl).%SetStatusCode("400")
       Write ex.DisplayString()
    }
  Quit $$$OK
}

ClassMethod Crear() As %Status
{
  Try {
    set dynamicBody = {}.%FromJSON(%request.Content)
    Set prod = ##class(Demo.Producto).%New()
    Set prod.Nombre = dynamicBody.%Get("Nombre")
    Set prod.Precio = dynamicBody.%Get("Precio")
    Do prod.%Save()

    Do ##class(%REST.Impl).%SetContentType("application/json")
    Do ##class(%REST.Impl).%SetStatusCode("200")
    Write prod.%JSONExport()
    } Catch (ex) {
        Do ##class(%REST.Impl).%SetStatusCode("400")
       Write ex.DisplayString()
    }
    Quit $$$OK
}

}

Paso 3: Crear una Web Application

Desde el Portal de Administración:

  1. Ir a System Administration > Security > Applications > Web Applications
  2. Crear una nueva aplicación:
    • URL: /api/productos
    • Namespace: USER
    • Clase: Demo.ProductoAPI
    • Activar REST y acceso anónimo para pruebas

para entrar al portal http://localhost:52773/csp/sys/%25CSP.Portal.Home.zen  Usuario=SuperUser Clave=SYS

Agregar la Funciones de aplicacion Developer

 


Paso 4: Docker de demostración

Estructura del proyecto

apirest-demo/
├── Dockerfile
├── iris.script
└── cls/
    ├── Demo.Producto.cls
    └── Demo.ProductoAPI.cls

Dockerfile

FROM intersystemsdc/iris-community:latest

COPY cls /irisdev/app/cls
COPY iris.script /irisdev/app/iris.script

RUN iris start IRIS \
 && iris session IRIS < /irisdev/app/iris.script \
 && iris stop IRIS quietly

Comandos para construir y correr el contenedor

cd apirest-demo
docker build -t iris-apirest-demo .
docker run -d --name iris-api -p 52773:52773 -p 1972:1972 iris-apirest-demo

Pruebas con Postman o curl

GET productos

curl http://localhost:52773/api/productos/producto

 

POST producto

curl -X POST http://localhost:52773/api/productos/producto \
  -H "Content-Type: application/json" \
  -d '{"Nombre":"Cafe","Precio":2500}'

para descarcar el codigo de ejemplo https://github.com/MarcoBahamondes/apirest-demo

git clone https://github.com/MarcoBahamondes/apirest-demo
1 novo comentário
Discussão (1)1
Entre ou crie uma conta para continuar
Pergunta
· Jun. 24

Choosing the Right Security System Dealer and Solutions Provider Near You

 

Security—both at home and in business—is more important than ever. Whether you're a homeowner looking to protect your family or a business owner safeguarding your assets, the right security system dealer and equipment supplier can make all the difference. This article explores what to look for in security dealers near you, the types of systems available, and how to choose the best solutions for your needs.

Finding a Security System Dealer Near Me

When searching for a local security system dealer, proximity matters for installation, support, and maintenance. A nearby provider offers quicker service, better accountability, Security system dealer near me and tailored recommendations for your region or neighborhood.

What to Look for in a Dealer:

  • Certified technicians and system installers
  • Strong local reputation (check Google reviews)
  • 24/7 customer support
  • Customizable security packages
  • Integration with smart home or office systems

Tip: Use keywords like “security system dealer near me” on search engines or map apps to find top-rated providers in your area.

Security Equipment Suppliers

Security suppliers provide a wide range of hardware and components essential for effective protection. These include:

Common Equipment Offered:

  • CCTV Cameras (dome, bullet, PTZ)
  • Access Control Systems (RFID, biometric, keypad entry)
  • Motion Sensors & Alarms
  • Fire & Smoke Detectors
  • Smart Locks & Home Automation Systems
  • NVRs/DVRs for video storage
  • Networking hardware for remote monitoring

Choose a supplier that partners with trusted brands like Hikvision, Dahua, CP Plus, Honeywell, Security equipment suppliers and Bosch.

Alarm System Dealer

Alarm systems are vital for deterring intrusions and notifying you of emergencies such as break-ins, fire, Alarm system dealer or gas leaks.

Types of Alarms:

  • Burglar Alarms: Motion, door, and window sensors
  • Fire Alarms: Smoke and heat detectors with sirens
  • Panic Alarms: For emergencies like theft or assault
  • Smart Alarms: Mobile app integration and remote control

Ask your dealer if their systems are connected to police or private monitoring services for rapid response.

Home Security System Dealer

Homeowners today prefer smart and scalable systems that integrate easily into daily life. A reliable home security system dealer should offer:

  • Wireless camera systems
  • Mobile-accessible control panels
  • Two-way audio and night vision cameras
  • Doorbell cameras with intercom features
  • Battery backups and anti-tamper alerts

Many dealers also offer subscription-based monitoring services for real-time surveillance and emergency dispatch.

Commercial Security Solutions

Businesses—small or large—require robust, integrated security setups to manage risk, monitor activity, Commercial security solutions and protect employees.

Essential Components for Commercial Use:

  • Multi-door access control systems
  • CCTV surveillance with centralized control
  • Employee attendance tracking (biometric/RFID)
  • Intrusion alarms and perimeter monitoring
  • Fire safety and emergency evacuation systems
  • Cloud storage and system integration with ERP/HR software

Industries such as retail, warehousing, banking, and healthcare often require customized security infrastructure, so work with providers who offer on-site assessments and tailored installations.

Final Tips Before You Buy

Check Licenses & Certifications
Ensure your dealer is certified and complies with local security regulations.

Compare Warranties & Service Plans
Good providers offer at least 1–2 years of warranty and annual maintenance contracts (AMC).

Look for Smart Compatibility
Choose systems that integrate with Google Home, Alexa, or Apple HomeKit for better control.

Ask for a Demo
Always request a demonstration before purchase, especially for commercial systems.

Conclusion

Whether you're seeking home protection, office surveillance, or enterprise-level security solutions, choosing the right security dealer and equipment supplier near you is key. Look for quality, support, and flexibility—and always ensure the systems match your current and future needs.

Discussão (0)1
Entre ou crie uma conta para continuar