Month: October 2024
displayDialogAsync shows empty dialog box
Hi,
I am using my Outlook add-in to display a dialog box. However, if I use displayInIframe:true then the contents of the dialog box won’t load. After a few seconds, it will display the attached error in the dialog box and I’ll see an error in the console that says “[Report Only] This document requires ‘TrustedScript’ assignment.” I have tried to see if there’s any error by using a callback, but that always says that it succeeded. The URL is on the same domain as the code hosted by the add-in. I am getting this issue in OWA on Chrome and Firefox as well as PWA. In classic Outlook the content doesn’t load either, but I also don’t see that error in the console.
{height: 30, width: 20, promptBeforeOpen: false, displayInIframe: true},
function (result) {
console.log(‘Callback result:’);
console.log(result);
}
);
Hi,I am using my Outlook add-in to display a dialog box. However, if I use displayInIframe:true then the contents of the dialog box won’t load. After a few seconds, it will display the attached error in the dialog box and I’ll see an error in the console that says “[Report Only] This document requires ‘TrustedScript’ assignment.” I have tried to see if there’s any error by using a callback, but that always says that it succeeded. The URL is on the same domain as the code hosted by the add-in. I am getting this issue in OWA on Chrome and Firefox as well as PWA. In classic Outlook the content doesn’t load either, but I also don’t see that error in the console. Office.context.ui.displayDialogAsync(url, {height: 30, width: 20, promptBeforeOpen: false, displayInIframe: true}, function (result) { console.log(‘Callback result:’); console.log(result); }); Read More
Bibliothèque de documents (GED organisation) : Quelle type de site sharepoint choisir
Salut la communauté,
Je dois mettre en place une plateforme GED (Gestion Electronique de Documents) pour un groupe avec plusieurs entreprises. Je voudrais savoir entre un site d’équipe SharePoint et un site de Communication, lequel choisir ?
Est-ce que quelqu’un a eu à gérer un tel projet si oui je voudrais avoir son accompagnement
Salut la communauté,Je dois mettre en place une plateforme GED (Gestion Electronique de Documents) pour un groupe avec plusieurs entreprises. Je voudrais savoir entre un site d’équipe SharePoint et un site de Communication, lequel choisir ?Est-ce que quelqu’un a eu à gérer un tel projet si oui je voudrais avoir son accompagnement Read More
KB5044380
My laptop was completely up to date.
I have Open Shell installed!
Cumulative Update Preview for Windows 11 Version 23H2 for x64-based Systems (KB5044380)
I have just installed this update onto my Windows 11 Laptop.
The result was a Black Screen and basically an unusable system.
I managed, with difficulty, to restore the System back to the state before the update.
I have postponed Updates until this problem can be resolved.
Any assistance/advise would be much appreciated
Has anybody else reported problems with this update?
My laptop was completely up to date.I have Open Shell installed!Cumulative Update Preview for Windows 11 Version 23H2 for x64-based Systems (KB5044380)I have just installed this update onto my Windows 11 Laptop.The result was a Black Screen and basically an unusable system.I managed, with difficulty, to restore the System back to the state before the update.I have postponed Updates until this problem can be resolved.Any assistance/advise would be much appreciatedHas anybody else reported problems with this update? Read More
Assign task to non-group members in New Planner
Hi, I’m encountering an issue with assigning tasks to users outside the group in the new Planner or Project. When I try to assign a task to someone who is not a group member, I receive the following message:
“The person you are trying to assign is not a member of this group, and will not be able to see their assigned tasks until they are added. Would you like to continue assigning and add them to the group?”
The options presented are “Assign and add” and Just assign”
If I select “Just assign,” the user doesn’t receive the necessary permissions to access the task.
Am I missing something? In my view, being able to assign tasks to users outside the group without needing to add them first is essential for cross-organizational collaboration.
Does anyone have any suggestions or know if this feature will be supported in the future?
Hi, I’m encountering an issue with assigning tasks to users outside the group in the new Planner or Project. When I try to assign a task to someone who is not a group member, I receive the following message:”The person you are trying to assign is not a member of this group, and will not be able to see their assigned tasks until they are added. Would you like to continue assigning and add them to the group?”The options presented are “Assign and add” and Just assign” If I select “Just assign,” the user doesn’t receive the necessary permissions to access the task.Am I missing something? In my view, being able to assign tasks to users outside the group without needing to add them first is essential for cross-organizational collaboration. Does anyone have any suggestions or know if this feature will be supported in the future? Read More
Deploy Microsoft Sentinel using Bicep
Bicep is a domain-specific language that uses declarative syntax to deploy Azure resources. It provides benefits over Azure Resource Management (ARM) templates including smaller file size, integrated parameter files, and better support to tools like Visual Studio code. To learn more about Bicep go to What is Bicep
In order to learn more about what you can do in Microsoft Sentinel in Bicep, you can go to Microsoft Sentinel Bicep resources. Note that this link takes you to “Aggregations” as the top-level entry (which is still incorrectly called “Azure Sentinel”) doesn’t have a direct link. If you were to select an entry, like “Alert Rules”, you will see the format of the Bicep resource definition and at least one example of how to use it. Very handy.
Using this page, and a few others selected from the menu on the left side of the page, and some help from users on the internet including Kevin Hemelrijk and Mark Palmer, I have created the Bicep resource and parameter files. Note that due to some limitations in the Bicep resources, there will be a call to a PowerShell file as well.
Resource Group
While you can create a resource group using a Bicep file, due to the way the file is called, the resource group needs to be present first. You can do this using whatever process you like, including the Azure CLI command listed below:
az group create –location <location> –resource-group <resourceGroup>
For example
az group create –location eastus –resource-group testRG
Bicep File
The first thing that is done in the Bicep file is to setup the parameters that will be read in from the parameter file (more on that later) and some variables. Note that “subscription” and “resourceGroup” are built in variables that refer to the environment into which this Bicep file is being run.
@description(‘Specifies the name of the client who needs Sentinel.’)
param workspaceName string
@description(‘Specifies the number of days to retain data.’)
param retentionInDays int
@description(‘Which solutions to deploy automatically’)
param contentSolutions string[]
var subscriptionId = subscription().id
var location = resourceGroup().location
//Sentinel Contributor role GUID
var roleDefinitionId = ‘ab8e14d6-4a74-4a29-9ba8-549422addade’
Notice that the parameters have a type associated with them. This is another check to make sure the correct type of data is being passed in as a parameter. There can also be restrains applied like maximum length or allowed item selections. More on parameters later in this article.
The last parameter is an array that contains the name of the solutions from the content hub that will be deployed. Keep in mind that the name shown in the Azure Portal may not be the correct name to use here as some changes to the name may have taken place. The best way to get the proper name is to make a call to the Microsoft Sentinel “contentProductPackages” REST API. You can get more information about this at Microsoft Sentinel Content Packages. After making the call, you can look at the “.properties.displayName” to get the proper name.
Let’s take a look at the Bicep call to create the Log Analytics workspace.
resource workspace ‘Microsoft.OperationalInsights/workspaces@2022-10-01’ = {
name: workspaceName
location: location
properties: {
retentionInDays: retentionInDays
}
}
Line 1 starts with “resource” to say that Bicep is deploying a resource as opposed to something like a loop. Then the word “workspace” is called the symbolic name and is used to reference the resource later on. For example, when creating the Microsoft Sentinel instance, one of the properties is “workspaceResourceId” and it can be referenced by passing in “workspace.id”
Line 2 is the name of the resource. In this case, the parameter called “workspaceName” is being used.
Line 3 is the location for the workspace. The variable, location, is being passed in here.
Line 4 starts the properties that are needed. In this case, only the retention time in days is being used. Different resources will have different properties.
Next are the calls to make the workspace, the Microsoft Sentinel instance, and a call to finish the Microsoft Sentinel onboarding:
// Create the Log Analytics Workspace
resource workspace ‘Microsoft.OperationalInsights/workspaces@2022-10-01’ = {
name: workspaceName
location: location
properties: {
retentionInDays: retentionInDays
}
}
// Create Microsoft Sentinel on the Log Analytics Workspace
resource sentinel ‘Microsoft.OperationsManagement/solutions@2015-11-01-preview’ = {
name: ‘SecurityInsights(${workspaceName})’
location: location
properties: {
workspaceResourceId: workspace.id
}
plan: {
name: ‘SecurityInsights(${workspaceName})’
product: ‘OMSGallery/SecurityInsights’
promotionCode: ”
publisher: ‘Microsoft’
}
}
// Onboard Sentinel after it has been created
resource onboardingStates ‘Microsoft.SecurityInsights/onboardingStates@2022-12-01-preview’ = {
scope: workspace
name: ‘default’
}
After the Microsoft Sentinel instance has been setup, there are some settings that can be applied, including the Entity Behavior directory service, in this case Azure Entra Id (which is still called “AzureActiveDirectory” in the code), and the data sources.
// Enable the Entity Behavior directory service
resource EntityAnalytics ‘Microsoft.SecurityInsights/settings@2023-02-01-preview’ = {
name: ‘EntityAnalytics’
kind: ‘EntityAnalytics’
scope: workspace
properties: {
entityProviders: [‘AzureActiveDirectory’]
}
dependsOn: [
onboardingStates
]
}
// Enable the additional UEBA data sources
resource uebaAnalytics ‘Microsoft.SecurityInsights/settings@2023-02-01-preview’ = {
name: ‘Ueba’
kind: ‘Ueba’
scope: workspace
properties: {
dataSources: [‘AuditLogs’, ‘AzureActivity’, ‘SigninLogs’, ‘SecurityEvent’]
}
dependsOn: [
EntityAnalytics
]
}
Bicep does provide a way to deploy solutions, but it doesn’t work correctly. This is due to the underlying REST API not working correctly. Also, as Bicep is used to create resources, there is no way to get a list of solutions to deploy using Bicep, hence the parameter mentioned previously. Luckily, it does provide a way to call PowerShell so that the solutions can be deployed.
Because the PowerShell interacts with Azure, there needs to be a user identity created. This identity will then need the proper permission, Microsoft Sentinel Contributor, on the resource group. There is a 5-minute pause in between these calls to allow the identity time to propagate. Calling a PowerShell script is described more below.
//Create the user identity to interact with Azure
@description(‘The user identity for the deployment script.’)
resource scriptIdentity ‘Microsoft.ManagedIdentity/userAssignedIdentities@2023-01-31’ = {
name: ‘script-identity’
location: location
}
//Pausing for 5 minutes to allow the new user identity to propagate
resource pauseScript ‘Microsoft.Resources/deploymentScripts@2023-08-01’ = {
name: ‘pauseScript’
location: resourceGroup().location
kind: ‘AzurePowerShell’
properties: {
azPowerShellVersion: ‘12.2.0’
scriptContent: ‘Start-Sleep -Seconds 300’
timeout: ‘PT30M’
cleanupPreference: ‘OnSuccess’
retentionInterval: ‘PT1H’
}
dependsOn: [
scriptIdentity
]
}
//Assign the Sentinel Contributor rights on the Resource Group to the User Identity that was just created
resource roleAssignment ‘Microsoft.Authorization/roleAssignments@2022-04-01’ = {
name: guid(resourceGroup().name, roleDefinitionId)
properties: {
roleDefinitionId: subscriptionResourceId(‘Microsoft.Authorization/roleDefinitions’, roleDefinitionId)
principalId: scriptIdentity.properties.principalId
}
dependsOn: [
pauseScript
]
}
Finally, a call is made to the PowerShell script, Create-NewSolutionAndRulesFromList.ps1, to deploy the passed in solutions and create the rules from the rule templates. This code was taken from the Microsoft Sentinel All-In-One V2 offering so it won’t be discussed much here. The only exception is that because the user identity account is making all the calls to Azure, the “Connect-AzAccount” is configured to pass in an identity
Connect-AzAccount -Identity -AccountId $Identity
Where $Identity is the client identity that was passed in as a parameter.
resource deploymentScript ‘Microsoft.Resources/deploymentScripts@2023-08-01’ = {
name: ‘deploySolutionsScript’
location: resourceGroup().location
kind: ‘AzurePowerShell’
identity: {
type: ‘UserAssigned’
userAssignedIdentities: {
‘${scriptIdentity.id}’: {}
}
}
properties: {
azPowerShellVersion: ‘12.2.0’
arguments: ‘-ResourceGroup ${resourceGroup().name} -Workspace ${workspaceName} -Region ${resourceGroup().location} -Solutions ${contentSolutions} -SubscriptionId ${subscriptionId} -TenantId ${subscription().tenantId} -Identity ${scriptIdentity.properties.clientId} ‘
scriptContent: loadTextContent(‘./Create-NewSolutionAndRulesFromList.ps1’)
timeout: ‘PT30M’
cleanupPreference: ‘OnSuccess’
retentionInterval: ‘P1D’
}
dependsOn: [
roleAssignment
]
}
Some things to note on this call:
Lines 5-10: Because we are making calls into Azure, this resource call will require an Identity.
Line 12: This was set to the latest version of PowerShell at the time of this writing. It could use a lower version but there will probably be a message in the logs that there is a newer version.
Line 13: These are all the arguments being passed into the PowerShell script. They will need to be read in as parameters in the script
Line 14: This is the location of the script. The code could be included inline, like what was done for the “pauseScript” call made above.
Line 15: This is how long to allow the script to run. Keep this in mind if a lot of solutions were passed in.
Line 16: This is the cleanup preference when the script executes. Other options include “Always” and “OnExpiration”
Line 17: This is how long the script resource will be retained after it finishes running.
Line 19: The “dependsOn” states that this resource will not start to run until after the other resource, “roleAssignment” in this case. finishes. There are other instances of this throughout the file. Note that if the resource makes use of data from a previous resource, it does not need a “dependsOn. For example, since the “sentinel” resource uses “workspace.id”, it does not need a “dependsOn”
Parameter File
Bicep can use two different formats for the parameter file. It can either be a JSON or the Bicep Parameter file (that has a file extension of “bicepparam”. The Bicep Parameter file has advantages over the regular JSON file.
The biggest advantage is that it references the Bicep file so editors like Visual Studio Code will know if there are any parameters missing from either the parameter file or the Bicep file.
For the Bicep file that is in this article, this is the parameter file
using ‘./Sentinel.bicep’
param workspaceName = ‘demo7’
param retentionInDays = 90
param contentSolutions = [
‘Amazon Web Services’
‘Microsoft Entra ID’
‘Azure Logic Apps’
]
Most of it should be self-explanatory except for the first line. This is a reference to the Bicep file that this file is send its data into. This allows editors like Visual Studio Code to make sure all the parameters are accounted for in both the parameter file and the Bicep file. For more on the Bicep parameter file go to Bicep Parameter Files
Deploying a Bicep file
Using the Azure CLI, the Bicep file can be deployed by using the following call
az deployment group create –name <deploymentName> –template-file <BicepFile> –parameters <BicepParameterFile> –resource-group <resourceGroup>
For example
az deployment group create –name testDeploy –template-file .sentinel.bicep –parameters .sentinelParams.bicepparam –resource-group rgTest
Summary
This article shows how to create a Microsoft Sentinel instance, add some settings, and deploy solutions and Analytic Rule templates using Bicep templates. There is far more that can be done including setting Commitment Tiers, configuring some of the Microsoft Data Connectors like Entra ID or Azure Data logs, and setting limitations around the parameters.
You can save these templates as part of your CI/CD for Microsoft Sentinel and, if you have to deploy multiple Microsoft Sentinel instances, reuse the templates with just some minor tweaks to the parameter file.
Microsoft Tech Community – Latest Blogs –Read More
Teams Policy: Banning a user from joining Team Meetings in a organization
Hi,
I want to ban a specific user (AI bots) from entering Teams Meetings in my org.
Is there a way to establish a Teams policy to do this?
Thanks/Brgds
joao
Hi,I want to ban a specific user (AI bots) from entering Teams Meetings in my org.Is there a way to establish a Teams policy to do this? Thanks/Brgdsjoao Read More
Anyone else not able to download cloud-delivered test file ?
The test file for cloud-delivered protection seems to not be accessible anymore: https://aka.ms/ioavtest
Is someone able to confirm this (and report the issue to MSFT) ?
The test file for cloud-delivered protection seems to not be accessible anymore: https://aka.ms/ioavtestref: https://learn.microsoft.com/en-us/defender-endpoint/defender-endpoint-demonstration-cloud-delivered-protection#scenario Is someone able to confirm this (and report the issue to MSFT) ? Read More
Microsoft Defender for Cloud compute recommendations
Is there a current offline copy in Excel format of all compute recommendations in Microsoft Defender for Cloud such as MCSB?
Reference table for all compute security recommendations in Microsoft Defender for Cloud – Microsoft Defender for Cloud | Microsoft Learn
Is there a current offline copy in Excel format of all compute recommendations in Microsoft Defender for Cloud such as MCSB?Reference table for all compute security recommendations in Microsoft Defender for Cloud – Microsoft Defender for Cloud | Microsoft Learn Read More
Change EntraAzure Sign in as email
Hi,
We are looking at simplifying the way our users sign into EntraAzure products. Currently they sign into with their Entra UPN which is the same as their on-prem UPN. The issue is some users are firstname.lastname@domain and others are letterlastname@domain. Ideally we would like to change sign into EntraAzure products to be their email address instead. I know we can enable alternative sign in but this then allows the user to sign in as UPN and all emails addresses.
So we’re thinking of changing our Azure AD Connect Application on-premise to use email instead. Please can someone advise the pros and cons of doing this.
Thank you,
Adrian
Hi, We are looking at simplifying the way our users sign into EntraAzure products. Currently they sign into with their Entra UPN which is the same as their on-prem UPN. The issue is some users are firstname.lastname@domain and others are letterlastname@domain. Ideally we would like to change sign into EntraAzure products to be their email address instead. I know we can enable alternative sign in but this then allows the user to sign in as UPN and all emails addresses. So we’re thinking of changing our Azure AD Connect Application on-premise to use email instead. Please can someone advise the pros and cons of doing this.Thank you,Adrian Read More
S2D 2 Nodes Hyper-V Cluster
The Resources:
2 physical Windows 2022 Data Center servers:
1- 2 sockets 24 physical CPU core
2- 64 GB RAM
3- 2 * 480GB SSD RAID 1 (OS Partition)
4- 4 * 3.37TB SSD RAID 5 the total approximately 10 or 11 TB after the RAID
5- 4 * 10gb Nic
1 Physical Windows 2016 standard server with DC role
The Desired: I want to make 2 nodes Hyper V cluster with S2D to combine the 2 servers storage into 1 shared clustered volume and store the VMs on it and make a high availability solution which will fail over automatically when one of the nodes is down without using an external source for the storage such as SAS, is this scenario possible?
The Resources:2 physical Windows 2022 Data Center servers:1- 2 sockets 24 physical CPU core2- 64 GB RAM3- 2 * 480GB SSD RAID 1 (OS Partition)4- 4 * 3.37TB SSD RAID 5 the total approximately 10 or 11 TB after the RAID5- 4 * 10gb Nic1 Physical Windows 2016 standard server with DC roleThe Desired: I want to make 2 nodes Hyper V cluster with S2D to combine the 2 servers storage into 1 shared clustered volume and store the VMs on it and make a high availability solution which will fail over automatically when one of the nodes is down without using an external source for the storage such as SAS, is this scenario possible? Read More
Upload file option is freezed while creating a new form.
Answer is in the settings, you need to change who can fill this form, if you have selected Anyone, the upload function will not work for security/malware issues. Also, if you select only people from my organization, then it will start working fine.
BR
Hitesh Ved
8390703219
Answer is in the settings, you need to change who can fill this form, if you have selected Anyone, the upload function will not work for security/malware issues. Also, if you select only people from my organization, then it will start working fine. BR Hitesh Ved8390703219 Read More
How to Wipe hard drive on my Windows 7 computer?
I need assistance with wiping my hard drive on a Windows 7 system. I am preparing to sell my computer and want to ensure that all my personal data is securely erased before passing it on to someone else. I’ve heard there are different methods to wipe a hard drive, but I want to make sure I’m using a reliable approach that will completely remove all traces of my data.
Can anyone provide detailed instructions or recommend effective tools to perform this task on Windows 7? I’m concerned about making any mistakes during the process, so guidance on how to proceed safely would be incredibly helpful. Thank you for your support!
I need assistance with wiping my hard drive on a Windows 7 system. I am preparing to sell my computer and want to ensure that all my personal data is securely erased before passing it on to someone else. I’ve heard there are different methods to wipe a hard drive, but I want to make sure I’m using a reliable approach that will completely remove all traces of my data. Can anyone provide detailed instructions or recommend effective tools to perform this task on Windows 7? I’m concerned about making any mistakes during the process, so guidance on how to proceed safely would be incredibly helpful. Thank you for your support! Read More
How to Set Directory Synchronization Features with the Graph
Directory synchronization features control how the Entra Connect tool works when synchronizing accounts from Active Directory to Entra ID. The current advice is to use a cmdlet from the depreciated MSOL module to update settings. This article explains how to do the job with the Graph APIs, including cmdlets from the Entra PowerShell module.
https://office365itpros.com/2024/10/24/directory-synchronization-features/
Directory synchronization features control how the Entra Connect tool works when synchronizing accounts from Active Directory to Entra ID. The current advice is to use a cmdlet from the depreciated MSOL module to update settings. This article explains how to do the job with the Graph APIs, including cmdlets from the Entra PowerShell module.
https://office365itpros.com/2024/10/24/directory-synchronization-features/ Read More
PnP SingleWebPartAppPage removing all page contents
I am trying to convert a SharePoint page into a single web part app page to display a PowerBi report in full screen. I have tried creating the page, converting to “article” layout, adding the embed (both the PBI specific and the generic embed) webpart then running the script to convert to a single webpart app page.
When I run the script, it is converting the page but it is removing the embedded web part.
Here is my code:
$clientId = “XXX”
$clientSecret = “XXX”
$tenantId = “XXX”
$scope = “https://graph.microsoft.com/.default” # Use Microsoft Graph default scope for app-only authentication
Connect-PnPOnline -Url example.com -ClientId $clientId -Tenant $tenantId -Certificatepath “C:UsersUserExample” -CertificatePassword (ConvertTo-SecureString -AsPlainText “Example” -Force)
if(Get-PnPConnection) {
Set-PnPPage -Identity “Example.aspx” -LayoutType singleWebPartAppPage
} else {
Write-Host “Connection failed. Please check your credentials and try again.”
Any help or advice would be greatly appreciated.
I am trying to convert a SharePoint page into a single web part app page to display a PowerBi report in full screen. I have tried creating the page, converting to “article” layout, adding the embed (both the PBI specific and the generic embed) webpart then running the script to convert to a single webpart app page. When I run the script, it is converting the page but it is removing the embedded web part. Here is my code:$clientId = “XXX” $clientSecret = “XXX” $tenantId = “XXX” $scope = “https://graph.microsoft.com/.default” # Use Microsoft Graph default scope for app-only authenticationConnect-PnPOnline -Url example.com -ClientId $clientId -Tenant $tenantId -Certificatepath “C:UsersUserExample” -CertificatePassword (ConvertTo-SecureString -AsPlainText “Example” -Force)if(Get-PnPConnection) {Set-PnPPage -Identity “Example.aspx” -LayoutType singleWebPartAppPage} else {Write-Host “Connection failed. Please check your credentials and try again.” Any help or advice would be greatly appreciated. Read More
How do I convert JPG to ICO on Windows 10 computer?
How do I convert JPG images to ICO format on Windows 10? I have several images that I’d like to use as icons, but I’m unsure of the best method to perform this conversion. I’ve tried a few online converters, but I want to ensure that the quality remains high and that the process is straightforward.
If anyone could provide a step-by-step guide or recommend reliable software for this task, I’m eager to find a solution that works efficiently on my Windows 10 computer without compromising the integrity of the images.
How do I convert JPG images to ICO format on Windows 10? I have several images that I’d like to use as icons, but I’m unsure of the best method to perform this conversion. I’ve tried a few online converters, but I want to ensure that the quality remains high and that the process is straightforward. If anyone could provide a step-by-step guide or recommend reliable software for this task, I’m eager to find a solution that works efficiently on my Windows 10 computer without compromising the integrity of the images. Read More
Average response time to email by user
Hello All,
Is there any way/script to get average response/reply time to email by user?
Thank You in advance.
Hello All,Is there any way/script to get average response/reply time to email by user?Thank You in advance. Read More
Gray areas in Excel Spreadsheet
I keep getting this gray area on top whenever I’m working on this spreadsheet. Also, when I zoom in/out, the whole sheet turns gray and acts very weird. Any idea how to make this stop?
I keep getting this gray area on top whenever I’m working on this spreadsheet. Also, when I zoom in/out, the whole sheet turns gray and acts very weird. Any idea how to make this stop? Read More
MS ProjtUpdating Actual Start and Finish dates without changing the Scheduled Start and Finish dates
I am trying to set the Actual Start and Finish Dates without affecting the Scheduled Start and Finish dates. I have set the Status date to the date I want, marked the %complete at 50%. When I update the Actual Start Date the Scheduled Start Date is updated to the same date. I need to be able record tasks that have started early or late.
I am trying to set the Actual Start and Finish Dates without affecting the Scheduled Start and Finish dates. I have set the Status date to the date I want, marked the %complete at 50%. When I update the Actual Start Date the Scheduled Start Date is updated to the same date. I need to be able record tasks that have started early or late. Read More
MAC OS with Azure AD log in
Can we allow MAC OS to login with Azure AD ID.
Can we allow MAC OS to login with Azure AD ID. Read More
Inconsistent Data product behavior
Hi all,
I have created a Data product with two Data assets. When I delete one of the Data assets, the Data product still shows the Data asset, but if I go in and refresh, it shows a “not found” error.
If I want to delete the Data asset from the Data product, it doesn’t let me, because it says that it has data Quality rules attached… and that this “Data quality” data must first be deleted.
As you can imagine, I can’t delete this data because the Data asset doesn’t exist and I can’t do anything in the Data quality part.
Is there a solution to delete a “already deleted Data asset” from the list of Data assets within a Data product?
Thanks,
David
Hi all, I have created a Data product with two Data assets. When I delete one of the Data assets, the Data product still shows the Data asset, but if I go in and refresh, it shows a “not found” error.If I want to delete the Data asset from the Data product, it doesn’t let me, because it says that it has data Quality rules attached… and that this “Data quality” data must first be deleted.As you can imagine, I can’t delete this data because the Data asset doesn’t exist and I can’t do anything in the Data quality part. Is there a solution to delete a “already deleted Data asset” from the list of Data assets within a Data product? Thanks,David Read More