Nova postagem

Pesquisar

InterSystems Oficial
· Maio 31, 2024

30 de Maio, 2024 – Aviso: Mudanças na aplicação de licenças – REST e SOAP

A partir do lançamento da plataforma de dados InterSystems IRIS® 2022.3, a InterSystems corrigiu o mecanismo de execução de licença para incluir solicitações REST e SOAP. Devido a essa alteração, ambientes com licenças não baseadas em núcleo que usam REST ou SOAP podem experimentar maior utilização de licença após a atualização. Para determinar se este aviso se aplica à sua licença InterSystems, siga as instruções nas perguntas frequentes vinculadas abaixo. 

Esta tabela resume a execução:

Produto

Requisições REST & SOAP incluídas na licença?

InterSystems Caché®

Sim

InterSystems Ensemble®

Não

InterSystems IRIS, InterSystems IRIS® for Health, e Health Connect antes de 2022.3

Não

InterSystems IRIS, InterSystems IRIS for Health, and Health Connect 2022.3 e posterior

Sim

 

Os clientes solicitaram consistência na aplicação entre o Caché e o IRIS. Essa alteração alinha a aplicação do licenciamento para solicitações REST e SOAP com os Termos e Condições; também fornece consistência avançando em todos os produtos InterSystems. O planejamento de atualizações que cruzam o limite de 2022.3 deve considerar o impacto potencial dessa alteração.

Para ajudar a entender o impacto dessa alteração, a InterSystems está fornecendo recursos, incluindo mitigação temporária. Para obter mais informações, consulte:

FAQ - License Enforcement Changes

A alteração do produto relevante para referência é DP-417320.

 

⚠ Se você tiver alguma dúvida sobre este aviso ou estiver interessado em uma mitigação temporária, entre em contato com seu gerente de conta da InterSystems ou InterSystems Worldwide Response Center (WRC).

Discussão (0)1
Entre ou crie uma conta para continuar
Job
· Maio 31, 2024

HealthShare & IRIS Expertise wanted - Swiss based job opportunity

Dear community, we are building up a digital backbone for our 17 hospitals and looking for reinforcement within the team. Maybe this is something for you or someone you know?

👩‍💻 Are you an (#InterSystems) developer and would you like to join an intelligent, bright and internationally diverse team (mainly in Zurich, but also in South Africa and the Middle East)?
🤘 Are you keen to use your skills for clinically relevant use cases and to build a Group-wide value-creating platform?
😁 Are you up for mischief and humor in the workplace? 
📣 Are you willing to share frustration with us when things aren't going well?
🏥 Would you like to make your contribution to a solid and meaningful employer?

4 “Yes” are enough to read on and/or ping me 🤗 

Background: 

#Interoperability in healthcare, a big goal, Hirslanden is still not quite where we want to be as a #data-driven organization. Every day, 40 thousand patient data record mutations are made in the 17 clinics. Our integration takes care of forwarding all these mutations to the 400 or so peripheral systems. This ensures, for example, that laboratory values from our external partner are also available to staff in the clinical information system in the correct unit and updated on a daily basis. The systems are therefore already quite interoperable. But ... the transfer to the new technology is not yet complete.  

Interoperability is also only one part of the overall “digital backbone” project. Overall, we are centralizing and structuring data. This enables staff to make the desired analysis even faster, draw conclusions more quickly and so on... Until in the end the patient can be cured faster and we as Hirslanden can no longer be a necessary but accompanying and, if necessary, present partner for him/her.

Together with a great team, we drive the project forward every day to make this meaningful vision possible. As we have now reached the end of the process of setting up the technical basis from our valued provider InterSystems DACH and will soon be starting implementation, we are now looking for reinforcements! 

If this sounds exciting, please get in touch with me personally or via the portal with lovely boss Marco Spörri. I would be delighted to welcome you to the Hirslanden Corporate Office soon!

Intersystems HealthShare Specialist (a) 80-100% Job Details | Mediclinic

1 Comment
Discussão (1)3
Entre ou crie uma conta para continuar
Artigo
· Maio 31, 2024 3min de leitura

Migración de Datos desde Amazon Redshift a InterSystems IRIS: Un Enfoque Práctico y Ventajas Estratégicas

Buenos días a todos:

Trabajo en el sector bancario en el área de seguridad. Indagando sobre nuevas tecnologías y posibilidades, he planteado si InterSystems IRIS podría aportar algún valor en el tratamiento de datos. La respuesta es que sí; IRIS permite la centralización de datos y el análisis en tiempo real de los mismos. Además, podríamos beneficiarnos de la interoperabilidad de su tecnología. Si bien es cierto que InterSystems está muy avanzado en el ámbito sanitario, estoy convencido de que sus beneficios podrían aplicarse a otras áreas como la banca.

¿Por Qué Migrar de Amazon Redshift a InterSystems IRIS?

Migrar desde Amazon Redshift a InterSystems IRIS ofrece varias ventajas que pueden ser especialmente relevantes en sectores como el bancario:

  1. Seguridad: IRIS ofrece robustas características de seguridad que aseguran la protección de datos sensibles.
  2. Velocidad de Carga y Tiempo Real: La capacidad de IRIS para manejar grandes volúmenes de datos con alta velocidad de carga y análisis en tiempo real es un gran beneficio.
  3. Interoperabilidad: La tecnología de IRIS permite una fácil integración con otras aplicaciones y sistemas, facilitando la centralización y el acceso a los datos desde múltiples fuentes. Desde hace un tiempo, existe dentro del propio marketplace de AWS la posibilidad de integración con InterSystems.

Procedimiento de Migración

A continuación, vamos a ver un ejemplo de como podríamos migrar datos desde Amazon Redshift a InterSystems IRIS usando Python.

Requisitos Previos
  • Acceso a Amazon Redshift y a InterSystems IRIS.
  • Instalación de las bibliotecas de Python necesarias.
Código de Ejemplo
  • Conexión a Amazon Redshift y InterSystems IRIS
import psycopg2
import intersys.iris

# Conexión a Amazon Redshift
conn_redshift = psycopg2.connect(
    dbname='your_dbname',
    user='your_user',
    password='your_password',
    host='your_redshift_cluster_endpoint',
    port='5439'
)
cursor_redshift = conn_redshift.cursor()

# Conexión a InterSystems IRIS
conn_iris = intersys.iris.createConnection("hostname", port, "username", "password")
db_iris = conn_iris.createDatabase("database_name")
  • Extracción de Datos desde Redshift
sql_query = "SELECT * FROM processed_transactions"
cursor_redshift.execute(sql_query)
rows = cursor_redshift.fetchall()
columns = [desc[0] for desc in cursor_redshift.description]
  • Creación de Tabla e Inserción de Datos en IRIS ​​​​​
# Crear tabla en IRIS si no existe
create_table_query = """ CREATE TABLE IF NOT EXISTS processed_transactions ( column1 datatype, column2 datatype, ... ); """ 
db_iris.runQuery(create_table_query) # Insertar datos en InterSystems IRIS 
for row in rows: 
insert_query = f""" INSERT INTO processed_transactions ({', '.join(columns)}) VALUES ({', '.join(['%s'] * len(row))}) """ 
db_iris.runQuery(insert_query, row)

Reflexión Personal

En mi experiencia en el sector bancario, la migración de datos puede parecer una tarea monumental, pero con las herramientas y estrategias adecuadas, es posible lograr una transición suave. InterSystems IRIS no solo aporta una robusta seguridad y velocidad, sino que también facilita la interoperabilidad con otros sistemas, lo cual es crucial para la eficiencia operativa y la toma de decisiones basada en datos.

Aquí hay algunos consejos y cuestiones a tener en cuenta:

  • Planificación y Pruebas: Es necesario asegurarse de planificar y probar la migración en un entorno de testeo antes de hacerlo en producción.
  • Monitoreo y Ajustes: Después de la migración, es importante monitorizar el rendimiento y ajustar según sea necesario para optimizar las operaciones.

¡Gracias!

Discussão (0)1
Entre ou crie uma conta para continuar
Anúncio
· Maio 31, 2024

[Vidéo] Utilisation de SQL avec InterSystems IRIS

Salut la Communauté!

Profitez de regarder la nouvelle vidéo sur la chaîne Youtube d'InterSystems France

📺 Utilisation de SQL avec InterSystems IRIS

Découvrez comment obtenir un accès relationnel hautes performances à l'aide de SQL pour gérer les données au sein de vos produits InterSystems.

Cette vidéo est doublée grâce à Bard, l'intelligence artificielle de Google. 

N'oubliez pas à partager vos réflexions et impressions dans des commentaires après avoir regardé cette vidéo !

Discussão (0)1
Entre ou crie uma conta para continuar
Pergunta
· Maio 31, 2024

Irisnative library that works on Windows 10 with 8-bit IRIS

Hi there,

I am interested to execute ObjectScript commands from external language.  I saw that IRIS provides the irisnative library for this.

I am using Windows and 8-bit IRIS server (due to compatibility with old software I need to use 8-bit instead of Unicode).

I tried to execute irisnative for Javascript and for python, without success, as I explained in my previous questions.

I would like to ask you whether Intersystems provides an API to execute commands from external scripts (the same as Visual Studio Code does when I execute commands like "Import and Compile", etc.).

Is there a language where the irisnative library works correctly ?  Is there some other library that works and allows me to run external commands from external source ?

Thanks in advance,

 

Alin C Soare.

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