Category: Microsoft
Category Archives: Microsoft
Missing auto fit column width & auto fit row height commands
These two commands are not in any of the ribbons on top of my Excel spread sheets. Any help will be appreciated.
These two commands are not in any of the ribbons on top of my Excel spread sheets. Any help will be appreciated. Read More
Understanding the New AKS Deployment Safeguards
Introduction
Last week at Build, we’ve introduced a new feature in Public Preview for Azure Kubernetes Service (AKS) called Deployment Safeguards.
Deployment Safeguards, as a part of Azure Policy for AKS, provides a configurable and fast way to make sure your Kubernetes deployment follow through best practices and limits that are set beforehand. In this article, we will explore how it works in real time and how can we use it to tailor AKS to your needs.
Playground Setup
For the sake of this article, I’ll create a new cluster from scratch.
There are a few things we need to set up first.
For my test environment, I’m running these commands on WSL/Ubuntu with local Azure CLI.
If you’re not logged in, execute az login and then choose the right subscription,
If you’re using Azure CLI with Login Experience v2, you can just choose the subscription from the drop-down, and disregard the second command:
az login
az account set -s “your-subscription-id”
AKS Deployment Safeguard is currently a preview feature, so we’ll need to make sure our AKS extension is up-to-date:
az extension add –name aks-preview
az extension update –name aks-preview
Next, register the feature flag of Deployment Safeguards –
az feature register –namespace Microsoft.ContainerService –name SafeguardsPreview
This will take a couple of minutes; the end result should show as Registered:
Next, refresh the Microsoft.ContainerService resource provider so changes will be applied:
az provider register –namespace Microsoft.ContainerService
Create a new test resource group and AKS cluster –
az group create –name safeguard-test –location eastus
az aks create –name safeaks –resource-group safeguard-test –node-count 2 –location eastus –enable-addons azure-policy –safeguards-level Warning –safeguards-version v2.0.0
This will create a new Azure Kubernetes Service (AKS) cluster, with 2 nodes.
This cluster will have the Azure Policy for AKS add-on enabled with Safeguard level set to Warning and version set to 2.0.0.
Node count is set to 2 to allow for faster creation and a bit of redundancy.
I have created 2 clusters, one with Safeguards level set to Warning and one with Enforcement.
I have set the safeguard level to Warning for the first cluster as we wish to experiment with it, Warning will notify us that a resource/yaml is out of policy but won’t block it.
Setting safeguard level to Enforcement will automatically block resource files that do not adhere to the safeguards that were set, and will change the ones it can change to adhere to those policies, instead of blocking them.
You can enable Deployment Safeguards on an existing cluster using az aks update:
az aks update –name clustername –resource-group resourcegroup –safeguards-level Warning –safeguards-version v2.0.0
You can change a cluster’s safeguards level from Warning to Enforcement and vice-versa also using az aks update:
az aks update –name safeaks –resource-group safeguard-test –safeguards-level Enforcement
If you wish to turn off Deployment Safeguards completely:
az aks update –name safeaks –resource-group safeguard-test –safeguards-level Off
That should wrap it up for the prerequisites.
Deployment Safeguards in Action
After the cluster is created, please allow at least 30 minutes for Deployment Safeguards and Azure Policy for AKS to successfully sync.
If you’ve followed with the new cluster creation, set kubectl to the new cluster context by using:
az aks get-credentials –name safeaks –resource-group safeguard-test
Let’s run kubectl get nodes -o wide just to verify connectvitiy –
kubectl get nodes -o wide
Output should look like this:
Testing Deployment Safeguards
While the entirety of available safeguard policies is listed here,
We will focus on Resource Limits Enforcement, together with a few others which I’ll explain below.
Testing Deployment Safeguards
Let’s create a normal pod that runs an Nginx image, without any special configuration, and save it as no-limits.yaml:
apiVersion: v1
kind: Pod
metadata:
name: no-limits-here
spec:
containers:
– name: nginx
image: nginx
Let’s apply it to our Warning level cluster and see what happens, using kubectl apply:
kubectl apply -f no-limits.yaml
We’re immediately presented with the following output:
Let’s break it down:
Deployment Safeguards expects a liveness and a readiness probe, resource limits, and an image pull secret.
But, since it’s set on Warning, it allows the manifest to go through.
In a cluster where safeguards level is set to Enforcement, the pod is blocked from being scheduled:
Let’s “fix” our pod to adhere to some of the policies, but let’s keep it without resource limits:
apiVersion: v1
kind: Secret
metadata:
name: registrykey
namespace: default
data:
.dockerconfigjson: >-
eyJhdXRocyI6eyJodHRwczovL215LXNlY3VyZS1yZWdpc3RyeS5jb20iOnsidXNlcm5hbWUiOiJkb2NrZXIt
dXNlciIsInBhc3N3b3JrIjoic2VjdXJlLXBhc3N3b3JkIiwiZW1haWwiOiJ1c2VyQGV4YW1wbGUuY29tIn19fQ==
type: kubernetes.io/dockerconfigjson
—
apiVersion: v1
kind: Pod
metadata:
name: no-limits-here
spec:
containers:
– name: nginx
image: my-awesome-registry.com/nginx:latest
readinessProbe:
httpGet:
path: /
port: 80
initialDelaySeconds: 5
periodSeconds: 5
livenessProbe:
httpGet:
path: /
port: 80
initialDelaySeconds: 10
periodSeconds: 10
imagePullSecrets:
– name: registrykey
This “fixed” pod now adheres to the readiness and liveness probe safeguards, adds a pseudo pullsecret, but does not adhere to the resource limits safeguard.
Important Note – This is a pseudo dockerconfigjson, key and of course, container registry. The container will not run. It’s on purpose.
Let’s save this in a new file called no-limits-updated.yaml, and apply it to the Enforcement cluster:
kubectl apply -f no-limits-updated.yaml
We’re presented with the following output:
Kubernetes is not happy with our dummy secret. That’s fine. Let’s explore and see what happened to our pod.
Our pod did not run [as implied above] but Deployment Safeguards has made changes to it, specifically on the Limits and Requests part.
Let’s query it and see what happened:
kubectl get pod no-limits-here -o=jsonpath='{.spec.containers[*].resources}’
You should see the following:
{“limits”:{“cpu”:”500m”,”memory”:”500Mi”},”requests”:{“cpu”:”500m”,”memory”:”500Mi”}}
Deployment Safeguards has made our pod adhere to the Limits and Requests section, even without us specifying it.
This is done on the Enforcement level to make sure your workload is aligned with the limits and requests safeguard.
The change happened because Limits and Requests are eligible for mutation.
Other policies that are currently available with mutations are:
Reserved System Pool Taints
Pod Disruption Budget
ReadOnlyRootFileSystem
RootFilesystemInitContainers
Deployment Safeguards will edit and change your workload to align with these safeguards.
On all other safeguards that are not eligible for mutation, the workload will be rejected on an Enforcement cluster.
You can also exclude a certain namespace from being enforced by Deployment Safeguards using:
az aks update –name safeaks –resource-group safeguard-test –safeguards-level Warning –safeguards-version v2.0.0 –safeguards-excluded-ns myawesomenamespace
Clean up the resources:
az aks delete –name safeaks –resource-group safeguard-test –yes
az group delete –name safeguard-test
Conclusion
Azure Kubernetes Service’s Deployment Safeguards feature is a robust tool that ensures Kubernetes deployments adhere to best practices and predefined limits. With options for both Warning and Enforcement levels, users can either be alerted of non-compliance or have their deployments automatically adjusted to meet the required standards. This feature enhances security and operational efficiency, making AKS an even more reliable and user-friendly platform for managing containerized applications.
Microsoft Tech Community – Latest Blogs –Read More
New on Microsoft AppSource: May 9-11, 2024
We continue to expand the Microsoft AppSource ecosystem. For this volume, 54 new offers successfully met the onboarding criteria and went live. See details of the new offers below:
Get it now in our marketplace
CCH SureAddress for CCH SureTax: This offer from Wolters Kluwer validates addresses individually or in bulk for Microsoft Dynamics 365. CCH SureAddress validates the following: company information page, location page/list, customer page/list, vendor page/list, ship-to address page/list, order address page/list, bank account page/list, contact page/list, responsibility center page/list, and job page/list. Available in English for the United States and Canada.
Hive Streaming Silent Test: This offer from Hive Streaming allows for flawless execution of live video events while reducing bandwidth load and ensuring high-quality video for all employees. Prerequisites include suitable applications for script distribution and online participation. Supported systems include Microsoft Windows and MacOS, with supported browsers including Microsoft Edge, Google Chrome, and Firefox.
Nextuple OMS Studio: Nextuple OMS Studio is a modular, microservice-based platform that enhances legacy order management systems by offering advanced inventory and promising, order orchestration, and store fulfillment capabilities. The platform offers multiple deployment and ownership options, package and bespoke implementations, and consulting/services for business and tech strategy.
Proventeq Content Productivity Suite – Copilot Edition: This offer from Proventeq helps organizations transition to an intelligent workplace with AI-powered tools for content understanding, classification, and automation. It includes a copilot accelerator for security and compliance readiness, graph connectors, copilot plugins, and custom generative AI solutions. The suite supports popular enterprise content management systems and facilitates migration projects.
Reminders by Udyamo: Reminders by Udyamo is a task management and team collaboration tool for Microsoft Teams. It offers seamless integration, customizable reminders, an intuitive interface, enhanced collaboration, and centralized management. It’s a valuable tool for managing reminders efficiently and fostering better coordination among team members.
Fluentis Standard ERP: This offer from Fluentis is a comprehensive solution for small- and medium-sized enterprises, covering all main application areas from administration to logistics management. It includes modules for finance, treasury, controlling, purchase, sales, and logistics. The system offers automation and speed in communication with banks and accounting for transactions, and helps increase productivity and efficiency by optimizing storage and goods flows.
TRaaS Plugins: From Numonix, this Microsoft Teams recording as a service (TRaaS) plugin for the Recorder Panel Base Cost plan allows for secure recording and muting functionality for compliance regulation. It can be used for calls that are being recorded automatically or recorded on-demand. Muting is triggered when using the native Teams app, maintaining total integrity of the recording.
Go further with workshops, proofs of concept, and implementations
BCN Power BI Managed Services: This offer from BCN Group features flexible options to support, develop, and improve Microsoft Power BI environments. BCN provides ongoing support, dedicated developer time, and a set number of developers assigned to the account. BCN’s certified Power BI developers work with customers to provide strategy support, unlimited development time within business hours, and development of reports and dashboards.
Enterprise Analytics with Microsoft Fabric: 1-Week Workshop: Ventagium Data Consulting’s Analytics Roadmap Workshop helps organizations become data-driven by integrating disparate data sources, establishing an analytics strategy, identifying prioritized capabilities and solutions, and assessing the initial top priority capability and its related solutions with a definition of potential benefits, success criteria, deliverables, and implementation.
Microsoft 365 Copilot – Extensibility Solutions: Microsoft 365 Copilot offers extensibility solutions for developers to customize the Copilot experience within Microsoft 365. Noventiq provides services to enhance the Copilot experience, including assessment, use case identification, implementation, and verification and transition. Noventiq’s expertise in generative AI and large language models can improve Copilot’s capabilities.
Microsoft 365 Optimization: Microsoft 365 offers advanced device management, security, and online services for productivity, collaboration, and communication. However, unoptimized environments can lead to licensing, administrative, security, mailbox, and governance risks. This offer from Wanstor helps ensure proper licensing, user management, security measures, and governance policies to avoid these risks.
Microsoft Copilot: 5-Day Workshop: Maximize your Microsoft 365 investment with Axians Digital Solutions’ tailored consulting services for Microsoft Copilot. Our team assesses readiness, identifies use cases, provides training, establishes best practices, monitors and evaluates security and compliance, and helps optimize documentation and knowledge sharing.
Microsoft Copilot for Security Rapid Onboarding Program: 4-Week Implementation: Tech One Global Philippines offers a rapid onboarding program for Microsoft Copilot for Security. Its process includes assessment, planning, implementation, testing, training, and continuous monitoring. The program provides customized solutions, expert guidance, and ongoing support to enhance an organization’s security posture.
Microsoft Teams Calling: 6-Week Implementation: This offer from Global Computing and Telecoms outlines a six-week plan for successful adoption of Microsoft Teams in an organization. It includes assessing network readiness, defining adoption goals, targeted communication, creating use cases, and engaging champions. The focus is on driving adoption through tangible use cases and peer recommendations.
Windows 365 Proof of Concept: Microsoft Windows 365 is a cloud-based desktop and application platform that allows employees to work from anywhere while keeping the same desktop experience. Wanstor provides a solution to help organizations overcome the challenges of traditional IT management and embrace the benefits of Windows 365, including simplified onboarding, enhanced security, scalability, predictable costs, and automated patch management.
Contact our partners
180ops – Revenue Intelligence SaaS for B2B Enterprises
ai-omatic – Digital Maintenance Assistant for Machines (SaaS Solution)
Automatic Import of F&O PDF Orders
Connector 365 E-Documents Validator
Localization Argentina for Dynamics 365 Business Central
m+m Ext. Text Module with Production Order Job Overview
Managed Detection and Response Services Powered by Sentinel and AIsaac
Microsoft Copilot for Security Readiness Assessment: 4-Week Assessment
Protrak Low-Code Application Platform
TruNorth Dynamics Power Platform Discovery
This content was generated by Microsoft Azure OpenAI and then revised by human editors.
Microsoft Tech Community – Latest Blogs –Read More
Time conversion to 1/100 format
Dear community,
I learned free-style swimming and my coach suggested to use a Finis metronome.
This small beeper is shwoing the time in sec:1/100sec format
Most training programs however are suggesting to swim with a pace of 1:30sec.
Here is my question: in Excel, how can I comvert this into sec/1/100sec?
Dear community,I learned free-style swimming and my coach suggested to use a Finis metronome.This small beeper is shwoing the time in sec:1/100sec formatMost training programs however are suggesting to swim with a pace of 1:30sec.Here is my question: in Excel, how can I comvert this into sec/1/100sec? Read More
Problema al instalar CAL rds por device
Tenemos un servidor virtualizado con Windows Server 2019 Standard al cual varios usuarios se conectarán simultáneamente. Por esta razón, adquirimos 40 CAL RDS por dispositivo (habíamos solicitado por usuario, pero nuestro partner adquirio erroneamente).
Al implementarlas, se instalaron correctamente sin generar ningún error al registrarlas. Sin embargo, al convertirlas a CAL RDS por usuario desde el administrador de licencias de Windows Server, no permite que múltiples usuarios se conecten por RDP.
Las pruebas que realicé incluyen reinstalar el rol de escritorio remoto y volver a instalar las licencias, pero esto no resolvió el problema. Y además desde el Diagnostico de licencias visualiza como si no hubiera ninguna licencia instalada.
Alguien tuvo este inconveniente?
Saludos,
Tenemos un servidor virtualizado con Windows Server 2019 Standard al cual varios usuarios se conectarán simultáneamente. Por esta razón, adquirimos 40 CAL RDS por dispositivo (habíamos solicitado por usuario, pero nuestro partner adquirio erroneamente). Al implementarlas, se instalaron correctamente sin generar ningún error al registrarlas. Sin embargo, al convertirlas a CAL RDS por usuario desde el administrador de licencias de Windows Server, no permite que múltiples usuarios se conecten por RDP.Las pruebas que realicé incluyen reinstalar el rol de escritorio remoto y volver a instalar las licencias, pero esto no resolvió el problema. Y además desde el Diagnostico de licencias visualiza como si no hubiera ninguna licencia instalada. Alguien tuvo este inconveniente?Saludos, Read More
How to recognize the correct Enterprise Application
Hello All,
I have a DevOps project with several ARM service connections with workload identity federation.
I can find them from the Azure portal by name, but the generated name is the same on all of them. The resourceID in the DevOps URL of the service connection does not correspond to the ObjectID or ApplicationID in the Azure portal.
So the question is, how am I supposed to differentiate which service connection corresponds to which Enterprise App?
B.R. Agility
Hello All, I have a DevOps project with several ARM service connections with workload identity federation. I can find them from the Azure portal by name, but the generated name is the same on all of them. The resourceID in the DevOps URL of the service connection does not correspond to the ObjectID or ApplicationID in the Azure portal. So the question is, how am I supposed to differentiate which service connection corresponds to which Enterprise App? B.R. Agility Read More
盛世娱乐开户注册账号lx6789122
盛世集团公司开户注册账号lx6789122,通常需要遵循以下一般步骤: 准备相关资料:可能包括个人或企业的身份证明、联系方式、地址证明等。 联系盛世集团:通过其官方网站、客服渠道等,了解具体的开户注册流程和所需资料要求。 填写申请表格:按照要求如实填写相关信息。 提交资料:将准备好的资料提交给盛世集团,可能通过线上上传或线下提交的方式。 等待审核:公司会对提交的资料进行审核。 完成注册:审核通过后,即可成功开户注册账号。 需要注意的是,具体的步骤和要求可能因盛世集团的规定而有所不同。建议你直接与该公司进行详细沟通,以确保顺利完成开户注册。 以上只是一个大致的流程示例,实际操作中可能会有更多细节和特定要求。
盛世集团公司开户注册账号lx6789122,通常需要遵循以下一般步骤: 准备相关资料:可能包括个人或企业的身份证明、联系方式、地址证明等。 联系盛世集团:通过其官方网站、客服渠道等,了解具体的开户注册流程和所需资料要求。 填写申请表格:按照要求如实填写相关信息。 提交资料:将准备好的资料提交给盛世集团,可能通过线上上传或线下提交的方式。 等待审核:公司会对提交的资料进行审核。 完成注册:审核通过后,即可成功开户注册账号。 需要注意的是,具体的步骤和要求可能因盛世集团的规定而有所不同。建议你直接与该公司进行详细沟通,以确保顺利完成开户注册。 以上只是一个大致的流程示例,实际操作中可能会有更多细节和特定要求。 Read More
Hybrid Template
Hi Team
We see a bug on the report when looking at collaboration and connectivity belonging.Break down to groups the wording its four hours but the measure its > 2 hours not sure if anyone saw that.
Hi Team We see a bug on the report when looking at collaboration and connectivity belonging.Break down to groups the wording its four hours but the measure its > 2 hours not sure if anyone saw that. Read More
Qualifizierungsangebote für gemeinnützige Organisationen
Liebe Nonprofits, herzlich willkommen im Nonprofit Community Hub! Tretet der Nonprofit Community bei und tauscht euch mit anderen gemeinnützigen Organisationen in einem offenen Forum aus, um Fragen zu stellen, Erfahrungen auszutauschen und gemeinsam neue Technologien und Anwendungsfälle zu entdecken. Lasst uns das Gespräch fortsetzen und gemeinsam mehr über KI lernen!
Im Folgenden haben wir die wichtigsten Ressourcen zusammengestellt, die eure gemeinnützige Organisationen heute nutzen können.
IT-Fitness Akademie: Die IT-Fitness Akademie bietet kostenlose Lerninhalte auf Deutsch, von kurzen Basiskursen und bis hin zu vertiefende Intensivkurse zu verschiedenen aktuellen Themen wie Generative KI, Cybersecurity und Green Skills.
Kostenlose Lernpfade für gefragte Jobs: Entwickeln Sie Ihre KI-Fähigkeiten und -Kenntnisse mit kostenlosen Online-Lernpfaden. Lernen Sie die Kernkonzepte der KI kennen, erfahren Sie, wie Sie generative KI in Ihrer Arbeit einsetzen können, und erwerben Sie ein Career Essentials Certificate von Microsoft und LinkedIn.
Lösungen & Technologie für Non-Profits | Microsoft für Non-Profits: Informieren Sie sich über kostenlose Technologieangebote und Rabatte für berechtigte gemeinnützige Organisationen.
Microsoft Nonprofit Angebotsleitfaden: Laden Sie den Microsoft Nonprofit Angebotsleitfaden runter, und erfahren Sie mehr über die beliebtesten Angebote für gemeinnützige Organisationen.
Contact Us – | Microsoft Non-Profits: Finden Sie weitere Informationen zur Anspruchsberechtigung und zum technischen Support.
Liebe Nonprofits, herzlich willkommen im Nonprofit Community Hub! Tretet der Nonprofit Community bei und tauscht euch mit anderen gemeinnützigen Organisationen in einem offenen Forum aus, um Fragen zu stellen, Erfahrungen auszutauschen und gemeinsam neue Technologien und Anwendungsfälle zu entdecken. Lasst uns das Gespräch fortsetzen und gemeinsam mehr über KI lernen!
Im Folgenden haben wir die wichtigsten Ressourcen zusammengestellt, die eure gemeinnützige Organisationen heute nutzen können.
IT-Fitness Akademie: Die IT-Fitness Akademie bietet kostenlose Lerninhalte auf Deutsch, von kurzen Basiskursen und bis hin zu vertiefende Intensivkurse zu verschiedenen aktuellen Themen wie Generative KI, Cybersecurity und Green Skills.
Kostenlose Lernpfade für gefragte Jobs: Entwickeln Sie Ihre KI-Fähigkeiten und -Kenntnisse mit kostenlosen Online-Lernpfaden. Lernen Sie die Kernkonzepte der KI kennen, erfahren Sie, wie Sie generative KI in Ihrer Arbeit einsetzen können, und erwerben Sie ein Career Essentials Certificate von Microsoft und LinkedIn.
Lösungen & Technologie für Non-Profits | Microsoft für Non-Profits: Informieren Sie sich über kostenlose Technologieangebote und Rabatte für berechtigte gemeinnützige Organisationen.
Microsoft Nonprofit Angebotsleitfaden: Laden Sie den Microsoft Nonprofit Angebotsleitfaden runter, und erfahren Sie mehr über die beliebtesten Angebote für gemeinnützige Organisationen.
Contact Us – | Microsoft Non-Profits: Finden Sie weitere Informationen zur Anspruchsberechtigung und zum technischen Support. Read More
Mac OS 14.5 not working with Azure Files
Within my orgnaisation we have migrated from on-prem NetApp to Azure Files. UAT phase was successful for all device/OS types reqiured. There was a 2/3 week window between the final phase of testing and our go live/migration.
We went live yesterday and had a single report from a Mac user that they could see the file share but it was “empty”. I jumped on to the share as my domain admin and confirmed data did indeed exist.
I engaged our Mac team to get on a call with me and the user. While on the call we established that she was on the latest Mac OS verion (14.5). The Mac admin was also on the same version and confirmed the same result – share was “empty”.
I had another Mac user working fine and they were on Mac OS 14.3.1. The Mac admin grabbed a few test Macs on various flavours of OS. Result is pointing to Mac OS 14.5 being incompatible with Azure Files. This could be a bug, or by design, I’m not sure at this time.
Highlevel list of testing I have undertaken:
Mac OS 14.5 to Azure Files via DFS – Failed
Mac OS 14.5 to Azure Files via native path – Failed
Mac OS 14.5 to Azure File Sync – Success (appears native Azure Files is part of the issue)
Mac OS 14.5 to vSAN file share – Success
Mac OS 14.5 to NetApp ONTAP – Success
Unfortunately, across the board I cannot offer Azure File Sync to all of our Azure Files storage accounts. This is due to our vSAN deployment having a smaller data footprint than the Azure Files Storage Accounts combined.
Has anyone else seen similar issues as above?
Within my orgnaisation we have migrated from on-prem NetApp to Azure Files. UAT phase was successful for all device/OS types reqiured. There was a 2/3 week window between the final phase of testing and our go live/migration. We went live yesterday and had a single report from a Mac user that they could see the file share but it was “empty”. I jumped on to the share as my domain admin and confirmed data did indeed exist. I engaged our Mac team to get on a call with me and the user. While on the call we established that she was on the latest Mac OS verion (14.5). The Mac admin was also on the same version and confirmed the same result – share was “empty”. I had another Mac user working fine and they were on Mac OS 14.3.1. The Mac admin grabbed a few test Macs on various flavours of OS. Result is pointing to Mac OS 14.5 being incompatible with Azure Files. This could be a bug, or by design, I’m not sure at this time. Highlevel list of testing I have undertaken:Mac OS 14.5 to Azure Files via DFS – FailedMac OS 14.5 to Azure Files via native path – FailedMac OS 14.5 to Azure File Sync – Success (appears native Azure Files is part of the issue)Mac OS 14.5 to vSAN file share – SuccessMac OS 14.5 to NetApp ONTAP – Success Unfortunately, across the board I cannot offer Azure File Sync to all of our Azure Files storage accounts. This is due to our vSAN deployment having a smaller data footprint than the Azure Files Storage Accounts combined. Has anyone else seen similar issues as above? Read More
Managing Data for RAG Chatbot
I have up and running a POC for a RAG Chatbot, data has been indexed/vectored.
If I need to remove data because the information is now outdated, or say for example products/prices/description changes etc.. What is the best way to achieve this ?
Would I manually need to search through the Vector DB and remove the entries ?
Then add my new data ?
Then would I have to reindex all of my data ?
any help/pointers would be much appreciated
Also unsure how the overlapping will be affected in terms of context if remove a chunk of data
I have up and running a POC for a RAG Chatbot, data has been indexed/vectored. If I need to remove data because the information is now outdated, or say for example products/prices/description changes etc.. What is the best way to achieve this ?Would I manually need to search through the Vector DB and remove the entries ?Then add my new data ? Then would I have to reindex all of my data ? any help/pointers would be much appreciated Also unsure how the overlapping will be affected in terms of context if remove a chunk of data Read More
Windows Server Edition Licensing
Hello everyone,
One of my customers have been using Azure and decided to landfall their VM’s so when they have pulled the VHD files to their local private cloud, they realized the Windows server 2016 was Datacenter edition, they don’t wanted to lost their information and applications installed there, so they searched and found this article where explains how to switch the windows edition https://learn.microsoft.com/en-us/windows-server/get-started/upgrade-conversion-options so they have switched the Windwos server 2016 to standard edition and then moved to Windows 2019 standard edition using a in-place upgrade. After all this context, the question here is, if they are incurring in a supported process or not. I’ve been seeking the document and don’t catch error on this logic, they are upgrading a standard to standard edition. Can anyone bring me a ligth on this?
Hello everyone, One of my customers have been using Azure and decided to landfall their VM’s so when they have pulled the VHD files to their local private cloud, they realized the Windows server 2016 was Datacenter edition, they don’t wanted to lost their information and applications installed there, so they searched and found this article where explains how to switch the windows edition https://learn.microsoft.com/en-us/windows-server/get-started/upgrade-conversion-options so they have switched the Windwos server 2016 to standard edition and then moved to Windows 2019 standard edition using a in-place upgrade. After all this context, the question here is, if they are incurring in a supported process or not. I’ve been seeking the document and don’t catch error on this logic, they are upgrading a standard to standard edition. Can anyone bring me a ligth on this? Read More
How Can I Resolve QUICKB00KS Error 6000 When Trying to Open a Company File?
I’m encountering QUICKB00KS Error 6000 when trying to access my company file. It’s causing a lot of disruption to my workflow. How can I resolve this issue quickly?
I’m encountering QUICKB00KS Error 6000 when trying to access my company file. It’s causing a lot of disruption to my workflow. How can I resolve this issue quickly? Read More
How Can I Resolve QUICKB00KS Error 1328 Efficiently?
I’m encountering QUICKB00KS Error 1328 while updating my software. How can I resolve this issue quickly?
I’m encountering QUICKB00KS Error 1328 while updating my software. How can I resolve this issue quickly? Read More
How to Fix QUICKB00KS Missing PDF Component Windows 11?
I’m facing an issue with QUICKB00KS Missing PDF Component Windows 11 error when trying to email or save documents as PDFs. How can I fix this problem?
I’m facing an issue with QUICKB00KS Missing PDF Component Windows 11 error when trying to email or save documents as PDFs. How can I fix this problem? Read More
What are Common Causes and Solutions For QUICKB00KS Error 6123?
I encountered QUICKB00KS Error 6123 while trying to open my company file. How can I resolve this issue quickly?
I encountered QUICKB00KS Error 6123 while trying to open my company file. How can I resolve this issue quickly? Read More
How Can I Resolve QUICKB00KS Error 6189 Efficiently?
I’m encountering QUICKB00KS Error 6189 when trying to access my company file. It’s disrupting my workflow. How can I fix this issue quickly?
I’m encountering QUICKB00KS Error 6189 when trying to access my company file. It’s disrupting my workflow. How can I fix this issue quickly? Read More
Microsoft OLE DB Provider for DB2 version 4.0
Hi All,
I am looking for Microsoft OLE DB Provider for DB2 Version 4.0 update 9.0.1428.0 . I think this is a part of SQL Server 2012 Service pack 1 feature . I tried to get these software’s but I am unable to get it.
Could you please help me how and where can i download. Kindly help!
Thanks,
Sreenivasa.
Hi All, I am looking for Microsoft OLE DB Provider for DB2 Version 4.0 update 9.0.1428.0 . I think this is a part of SQL Server 2012 Service pack 1 feature . I tried to get these software’s but I am unable to get it. Could you please help me how and where can i download. Kindly help! Thanks,Sreenivasa. Read More
Defender on macOS – conflicting applications
Hello,
I successfully deployed and configured Microsoft Defender on macOS using Mosyle MDM.
However, I see here one conflicting app:
MosyleMonitor app is deployed to all machines by default.
I didn’t notice any problems in the work of the Defender, nor on the MDM side.
What does this mean? Maybe there was some permission overlap?
Thanks
Hello,I successfully deployed and configured Microsoft Defender on macOS using Mosyle MDM.However, I see here one conflicting app:MosyleMonitor app is deployed to all machines by default.I didn’t notice any problems in the work of the Defender, nor on the MDM side.What does this mean? Maybe there was some permission overlap? Thanks Read More
Finding the “Organizer” Page
I’m trying to get to the “Organizer” page in WORD, but I cannot find it. The instructions I have say to choose “Tools Templets and Add-Ins” from the main menu and then click the “Organizer” button, but I cannot find anything that seems to be “Tools Templets and Add-Ins,” I found an “Add-Ins,” but it did not give me an “Organizer” choice.
Alan
I’m trying to get to the “Organizer” page in WORD, but I cannot find it. The instructions I have say to choose “Tools Templets and Add-Ins” from the main menu and then click the “Organizer” button, but I cannot find anything that seems to be “Tools Templets and Add-Ins,” I found an “Add-Ins,” but it did not give me an “Organizer” choice.Alan Read More