Email: helpdesk@telkomuniversity.ac.id

This Portal for internal use only!

  • My Download
  • Checkout
Application Package Repository Telkom University
All Categories

All Categories

  • Visual Paradigm
  • IBM
  • Adobe
  • Google
  • Matlab
  • Microsoft
    • Microsoft Apps
    • Analytics
    • AI + Machine Learning
    • Compute
    • Database
    • Developer Tools
    • Internet Of Things
    • Learning Services
    • Middleware System
    • Networking
    • Operating System
    • Productivity Tools
    • Security
    • VLS
      • Windows
      • Office
  • Opensource
  • Wordpress
    • Plugin WP
    • Themes WP
  • Others

Search

0 Wishlist

Cart

Categories
  • Microsoft
    • Microsoft Apps
    • Office
    • Operating System
    • VLS
    • Developer Tools
    • Productivity Tools
    • Database
    • AI + Machine Learning
    • Middleware System
    • Learning Services
    • Analytics
    • Networking
    • Compute
    • Security
    • Internet Of Things
  • Adobe
  • Matlab
  • Google
  • Visual Paradigm
  • WordPress
    • Plugin WP
    • Themes WP
  • Opensource
  • Others
More Categories Less Categories
  • Get Pack
    • Product Category
    • Simple Product
    • Grouped Product
    • Variable Product
    • External Product
  • My Account
    • Download
    • Cart
    • Checkout
    • Login
  • About Us
    • Contact
    • Forum
    • Frequently Questions
    • Privacy Policy
  • Forum
    • News
      • Category
      • News Tag

iconTicket Service Desk

  • My Download
  • Checkout
Application Package Repository Telkom University
All Categories

All Categories

  • Visual Paradigm
  • IBM
  • Adobe
  • Google
  • Matlab
  • Microsoft
    • Microsoft Apps
    • Analytics
    • AI + Machine Learning
    • Compute
    • Database
    • Developer Tools
    • Internet Of Things
    • Learning Services
    • Middleware System
    • Networking
    • Operating System
    • Productivity Tools
    • Security
    • VLS
      • Windows
      • Office
  • Opensource
  • Wordpress
    • Plugin WP
    • Themes WP
  • Others

Search

0 Wishlist

Cart

Menu
  • Home
    • Download Application Package Repository Telkom University
    • Application Package Repository Telkom University
    • Download Official License Telkom University
    • Download Installer Application Pack
    • Product Category
    • Simple Product
    • Grouped Product
    • Variable Product
    • External Product
  • All Pack
    • Microsoft
      • Operating System
      • Productivity Tools
      • Developer Tools
      • Database
      • AI + Machine Learning
      • Middleware System
      • Networking
      • Compute
      • Security
      • Analytics
      • Internet Of Things
      • Learning Services
    • Microsoft Apps
      • VLS
    • Adobe
    • Matlab
    • WordPress
      • Themes WP
      • Plugin WP
    • Google
    • Opensource
    • Others
  • My account
    • Download
    • Get Pack
    • Cart
    • Checkout
  • News
    • Category
    • News Tag
  • Forum
  • About Us
    • Privacy Policy
    • Frequently Questions
    • Contact
Home/News

Category: News

Parfor HPC Cluster – How to Assign Objects to Same Core Consistently?
Matlab News

Parfor HPC Cluster – How to Assign Objects to Same Core Consistently?

PuTI / 2025-07-30

Hello,
TLDR: Is there a way to force Matlab to consistently assign a classdef object to the same core? With a parfor loop inside another loop?

Details:
I’m working on a fairly complex/large scale project which involves a large number of classdef objects & a 3D simulation. I’m running on an HPC cluster using the Slurm scheduler.
The 3D simulation has to run in a serial triple loop (at least for now; that’s not the bottleneck).
The bottleneck is the array of objects, each of which stores its own state & calls ode15s once per iteration. These are all independent so I want to run this part in a parfor loop, and this step takes much longer than the triple loop right now.
I’m running on a small test chunk within the 3D space, with about 1200 independent objects. Ultimately this will need to scale about 100x to 150,000 objects, so I need to make this as efficient as possible.
It looks like Matlab is smartly assigning the same object to the same core for the first ~704 objects, but then after that it randomly toggles between 2 cores & a few others:
This shows ~20 loops (loop iterations going downwards), with ~1200 class objects on the X axis; the colors represent the core/task assignment on each iteration using this to create this matrix:
task = getCurrentTask();
coreID(ti, ci) = task.ID;

This plot was created assigning the objects in a parfor loop, but that didn’t help:

The basic structure of the code is this:
% pseudocode:

n_objects = 1200; % this needs to scale up to ~150,000 (so ~100x)

for i:n_objects
object_array(i) = constructor();
% also tried doing this as parfor but didn’t help
end

% … other setup code…

% Big Loop:
dt = 1; % seconds
n_timesteps = 10000;
for i = 1:n_timesteps

% unavoidable 3D triple loop update
update3D(dt);

parfor j = 1:n_objects

% each object depends on 1 scalar from the 3D matrix
object_array(i).update_ODEs(dt); % each object calls ode15s independently

end

% update 3D matrix with 1 scalar from each ODE object
end

I’ve tried adding more RAM per core, but for some reason, it still seems to break after the 704th core, which is interesting.
And doing the object initialization/constructors inside a parfor loop made the initial core assignments less consistent (top row of plot).
Anyway, thank you for your help & please let me know if you have any ideas!
I’m also curious if there’s a way to make the "Big Loop" the parfor loop, and make a "serial critical section" or something for the 3D part? Or some other hack like that?
Thank you!

ETA 7/28/25: Updated pseudocode with dt & scalar values passing between 3D simulation & ODE objectsHello,
TLDR: Is there a way to force Matlab to consistently assign a classdef object to the same core? With a parfor loop inside another loop?

Details:
I’m working on a fairly complex/large scale project which involves a large number of classdef objects & a 3D simulation. I’m running on an HPC cluster using the Slurm scheduler.
The 3D simulation has to run in a serial triple loop (at least for now; that’s not the bottleneck).
The bottleneck is the array of objects, each of which stores its own state & calls ode15s once per iteration. These are all independent so I want to run this part in a parfor loop, and this step takes much longer than the triple loop right now.
I’m running on a small test chunk within the 3D space, with about 1200 independent objects. Ultimately this will need to scale about 100x to 150,000 objects, so I need to make this as efficient as possible.
It looks like Matlab is smartly assigning the same object to the same core for the first ~704 objects, but then after that it randomly toggles between 2 cores & a few others:
This shows ~20 loops (loop iterations going downwards), with ~1200 class objects on the X axis; the colors represent the core/task assignment on each iteration using this to create this matrix:
task = getCurrentTask();
coreID(ti, ci) = task.ID;

This plot was created assigning the objects in a parfor loop, but that didn’t help:

The basic structure of the code is this:
% pseudocode:

n_objects = 1200; % this needs to scale up to ~150,000 (so ~100x)

for i:n_objects
object_array(i) = constructor();
% also tried doing this as parfor but didn’t help
end

% … other setup code…

% Big Loop:
dt = 1; % seconds
n_timesteps = 10000;
for i = 1:n_timesteps

% unavoidable 3D triple loop update
update3D(dt);

parfor j = 1:n_objects

% each object depends on 1 scalar from the 3D matrix
object_array(i).update_ODEs(dt); % each object calls ode15s independently

end

% update 3D matrix with 1 scalar from each ODE object
end

I’ve tried adding more RAM per core, but for some reason, it still seems to break after the 704th core, which is interesting.
And doing the object initialization/constructors inside a parfor loop made the initial core assignments less consistent (top row of plot).
Anyway, thank you for your help & please let me know if you have any ideas!
I’m also curious if there’s a way to make the "Big Loop" the parfor loop, and make a "serial critical section" or something for the 3D part? Or some other hack like that?
Thank you!

ETA 7/28/25: Updated pseudocode with dt & scalar values passing between 3D simulation & ODE objects Hello,
TLDR: Is there a way to force Matlab to consistently assign a classdef object to the same core? With a parfor loop inside another loop?

Details:
I’m working on a fairly complex/large scale project which involves a large number of classdef objects & a 3D simulation. I’m running on an HPC cluster using the Slurm scheduler.
The 3D simulation has to run in a serial triple loop (at least for now; that’s not the bottleneck).
The bottleneck is the array of objects, each of which stores its own state & calls ode15s once per iteration. These are all independent so I want to run this part in a parfor loop, and this step takes much longer than the triple loop right now.
I’m running on a small test chunk within the 3D space, with about 1200 independent objects. Ultimately this will need to scale about 100x to 150,000 objects, so I need to make this as efficient as possible.
It looks like Matlab is smartly assigning the same object to the same core for the first ~704 objects, but then after that it randomly toggles between 2 cores & a few others:
This shows ~20 loops (loop iterations going downwards), with ~1200 class objects on the X axis; the colors represent the core/task assignment on each iteration using this to create this matrix:
task = getCurrentTask();
coreID(ti, ci) = task.ID;

This plot was created assigning the objects in a parfor loop, but that didn’t help:

The basic structure of the code is this:
% pseudocode:

n_objects = 1200; % this needs to scale up to ~150,000 (so ~100x)

for i:n_objects
object_array(i) = constructor();
% also tried doing this as parfor but didn’t help
end

% … other setup code…

% Big Loop:
dt = 1; % seconds
n_timesteps = 10000;
for i = 1:n_timesteps

% unavoidable 3D triple loop update
update3D(dt);

parfor j = 1:n_objects

% each object depends on 1 scalar from the 3D matrix
object_array(i).update_ODEs(dt); % each object calls ode15s independently

end

% update 3D matrix with 1 scalar from each ODE object
end

I’ve tried adding more RAM per core, but for some reason, it still seems to break after the 704th core, which is interesting.
And doing the object initialization/constructors inside a parfor loop made the initial core assignments less consistent (top row of plot).
Anyway, thank you for your help & please let me know if you have any ideas!
I’m also curious if there’s a way to make the "Big Loop" the parfor loop, and make a "serial critical section" or something for the 3D part? Or some other hack like that?
Thank you!

ETA 7/28/25: Updated pseudocode with dt & scalar values passing between 3D simulation & ODE objects parallel computing, parfor, hpc, cluster, memory fragmentation MATLAB Answers — New Questions

​

How can I configure MATLAB to use the local offline documentation instead of the online documentation?
Matlab News

How can I configure MATLAB to use the local offline documentation instead of the online documentation?

PuTI / 2025-07-30

I would like to be able to browse the locally installed documentation instead of the web documentation available at mathworks.com. I need to do this because my laptop does not always have an internet connection, or because my release is older than 5 years and the release-specific documentation is no longer available online. How can I configure MATLAB to do this?I would like to be able to browse the locally installed documentation instead of the web documentation available at mathworks.com. I need to do this because my laptop does not always have an internet connection, or because my release is older than 5 years and the release-specific documentation is no longer available online. How can I configure MATLAB to do this? I would like to be able to browse the locally installed documentation instead of the web documentation available at mathworks.com. I need to do this because my laptop does not always have an internet connection, or because my release is older than 5 years and the release-specific documentation is no longer available online. How can I configure MATLAB to do this? offline, documentation, installed, local, doc MATLAB Answers — New Questions

​

Error Using unitConvert from Celsius to Fahrenheit.
Matlab News

Error Using unitConvert from Celsius to Fahrenheit.

PuTI / 2025-07-30

When using unitConvert from Celsius to Fahrenheit and vice versa I noticed it was giving me incorrect answers. It is just multiplying or dividing by 9/5ths and forgetting to add or subtract the 32. Is there a way to fix this or is this a bug.When using unitConvert from Celsius to Fahrenheit and vice versa I noticed it was giving me incorrect answers. It is just multiplying or dividing by 9/5ths and forgetting to add or subtract the 32. Is there a way to fix this or is this a bug. When using unitConvert from Celsius to Fahrenheit and vice versa I noticed it was giving me incorrect answers. It is just multiplying or dividing by 9/5ths and forgetting to add or subtract the 32. Is there a way to fix this or is this a bug. bug, symbolic MATLAB Answers — New Questions

​

Help with Solving PDE System with DAE in MATLAB
Matlab News

Help with Solving PDE System with DAE in MATLAB

PuTI / 2025-07-30

I hope you’re doing well. My name is William. I’m currently working on a problem and was hoping you might be able to help. I have a system of PDEs, but one of the variables does not include a time derivative (e.g., no ∂u/∂t), even though the variable depends on both time and space. I’m not sure how to approach solving this in MATLAB. I’ve been able to implement it in gPROMS, but translating it into MATLAB has been challenging.
I tried to follow your DAE method, but my variables depend on both time and space—not just time—so I’m unsure how to proceed. If you could offer any guidance or point me in the right direction, I would greatly appreciate it.
Thank you for your time and support.
Best regards,
WilliamI hope you’re doing well. My name is William. I’m currently working on a problem and was hoping you might be able to help. I have a system of PDEs, but one of the variables does not include a time derivative (e.g., no ∂u/∂t), even though the variable depends on both time and space. I’m not sure how to approach solving this in MATLAB. I’ve been able to implement it in gPROMS, but translating it into MATLAB has been challenging.
I tried to follow your DAE method, but my variables depend on both time and space—not just time—so I’m unsure how to proceed. If you could offer any guidance or point me in the right direction, I would greatly appreciate it.
Thank you for your time and support.
Best regards,
William I hope you’re doing well. My name is William. I’m currently working on a problem and was hoping you might be able to help. I have a system of PDEs, but one of the variables does not include a time derivative (e.g., no ∂u/∂t), even though the variable depends on both time and space. I’m not sure how to approach solving this in MATLAB. I’ve been able to implement it in gPROMS, but translating it into MATLAB has been challenging.
I tried to follow your DAE method, but my variables depend on both time and space—not just time—so I’m unsure how to proceed. If you could offer any guidance or point me in the right direction, I would greatly appreciate it.
Thank you for your time and support.
Best regards,
William dae MATLAB Answers — New Questions

​

How to Block OWA and Use the New Outlook
News

How to Block OWA and Use the New Outlook

Tony Redmond / 2025-07-30

Use a Conditional Access Policy to Block Access to OWA Instead of CAS Settings

Microsoft has updated its advice about how to disable access to OWA while retaining access to the new Outlook for Windows. The update is in MC922623, originally published in October 2024 and updated on 28 July 2025. In a nutshell, Microsoft recommends using a conditional access policy to block access to OWA rather than the mailbox-level OWAEnabled CAS (Client Access Server) setting in CAS.

Apart from the need to deploy Entra P1 licenses, that advice seems straightforward enough. But there are some issues to understand before rushing to deploy a new conditional access policy. Let’s discuss two important points.

Two CAS Settings

The first thing is that there’s actually two policy settings to consider: OWAEnabled and OneWinNativeOutlookEnabled (discussed in this article). Both settings need to be $true in the OWA mailbox policy assigned to user accounts to allow the new Outlook for Windows to load. It seems strange to have two settings, but it’s due to the technical debt accrued over the years managing OWA in Exchange Server and Exchange Online and the need to provide a control to deal with a new client. The fact that OWA and “Monarch” (the new Outlook for Windows) share a lot of code doesn’t help in some respects.

For the purpose of this debate, both OWAEnabled and OneWinNativeOutlookEnabled should be left as $true. In MC922623, Microsoft says keeping both settings at $true will have “no impact on users’ ability to access outlook for the web since the work was already done to block Outlook for the web with another policy.”

Well, that’s not strictly true (no pun intended). For instance, setting OWAEnabled to $false and OneWinNativeOutlookEnabled to $true might seem like the way to block OWA and allow the new Outlook. However, although this configuration blocks OWA, it also stops the new Outlook from being able to download or send messages. Another side-effect (aka, a bug) is that creating a message makes Outlook create multiple copies of the message in the Drafts folder. Overall, it’s best to play safe and ensure that both are kept at $true.

Updated CAS settings can take up to 15 minutes before they are effective.

The Conditional Access Policy to Block OWA

The reference in MC922623 to ”work done to block OWA” is to the conditional access policy (see instructions in the link above). What’s happening here is that Entra ID invokes the conditional access policy as part of its processing of inbound connections. If the inbound connection requests to use Office 365 Exchange Online (the app used by OWA – Figure 1), Entra ID can refuse the connection because the conditional access policy is configured to block OWA. The connection therefore terminates and never gets to Exchange Online for that server to process the connection and check the CAS mailbox settings to determine if mailbox access is permitted with the client.

Configuring a conditional access policy to block access to OWA.
Figure 1: Configuring a conditional access policy to block OWA

The downside of using a conditional access policy is that blocking access to the Office 365 Exchange Online app also stops the Teams browser client working (the Teams desktop app continues to work because it uses a different app). I think the reason why this happens is that the Teams browser app shares some components with OWA (like the calendar). Entra ID sees an inbound connection attempting to use an OWA component and terminates the connection in line with the conditional access policy. The dependency of Teams on Exchange Online is listed in Microsoft’s service dependency for conditional access policies guidance.

The nice thing about conditional access policies is that updated settings or new policies become effective almost immediately (Figure 2). Immediacy can also be a bad thing if you make a mistake and lock yourself out of the tenant.

User sign-in log reveals that a conditional access policy blocked access to OWA
Figure 2: User sign-in log reveals that a conditional access policy blocked access to OWA

Sometimes Hard to Have Clean Lines in Microsoft 365

The complex interconnected nature of Microsoft 365 sometimes makes it difficult to have nice clean demarcations between applications and workloads. The complex interconnected nature of Microsoft 365 sometimes makes it difficult to have nice clean demarcations between applications and workloads. As we see here, blocking one app with a conditional access policy can have unexpected consequences for other apps.

It’s nice to have choices in how to manage clients, and it makes sense to use a conditional access policy if you have Entra P1 licenses and you can accept the downside of losing Teams browser access. Otherwise, stay with the CAS settings and block access the old way.


Support the work of the Office 365 for IT Pros team by subscribing to the Office 365 for IT Pros eBook. Your support pays for the time we need to track, analyze, and document the changing world of Microsoft 365 and Office 365. Only humans contribute to our work!

 

Add column with values to table based on value in existing column (look up)
Matlab News

Add column with values to table based on value in existing column (look up)

PuTI / 2025-07-29

I want to add a column to the end of Matrix.csv (my actual data is irregular and 18000+ lines) that matches the value in the Direction column to the heading below and outputs the corresponding wDir value.
I am trying to produce something like an excel lookup function after creating headingTable through the below code.
heading = ["000", "015", "030", "045", "060", "075", "090", "105", "120", "135", "150", "165", …
"180", "195", "210", "225", "240", "255", "270", "285", "300", "315", "330", "345"];
wDir = [90 75 60 45 30 15 0 345 330 315 300 295 270 255 240 225 210 195 180 165 150 135 120 105];
count = 0;
for i =1:numel(wDir)
heading1 = heading(i);
wDir1 = wDir(i);
outData = [heading1 wDir1];
count =count + 1;
headingTable(count,:) = outData;
endI want to add a column to the end of Matrix.csv (my actual data is irregular and 18000+ lines) that matches the value in the Direction column to the heading below and outputs the corresponding wDir value.
I am trying to produce something like an excel lookup function after creating headingTable through the below code.
heading = ["000", "015", "030", "045", "060", "075", "090", "105", "120", "135", "150", "165", …
"180", "195", "210", "225", "240", "255", "270", "285", "300", "315", "330", "345"];
wDir = [90 75 60 45 30 15 0 345 330 315 300 295 270 255 240 225 210 195 180 165 150 135 120 105];
count = 0;
for i =1:numel(wDir)
heading1 = heading(i);
wDir1 = wDir(i);
outData = [heading1 wDir1];
count =count + 1;
headingTable(count,:) = outData;
end I want to add a column to the end of Matrix.csv (my actual data is irregular and 18000+ lines) that matches the value in the Direction column to the heading below and outputs the corresponding wDir value.
I am trying to produce something like an excel lookup function after creating headingTable through the below code.
heading = ["000", "015", "030", "045", "060", "075", "090", "105", "120", "135", "150", "165", …
"180", "195", "210", "225", "240", "255", "270", "285", "300", "315", "330", "345"];
wDir = [90 75 60 45 30 15 0 345 330 315 300 295 270 255 240 225 210 195 180 165 150 135 120 105];
count = 0;
for i =1:numel(wDir)
heading1 = heading(i);
wDir1 = wDir(i);
outData = [heading1 wDir1];
count =count + 1;
headingTable(count,:) = outData;
end column, lookup, matrix, table, match, matching MATLAB Answers — New Questions

​

Creating a grouped bar plot from a table having multiple column
Matlab News

Creating a grouped bar plot from a table having multiple column

PuTI / 2025-07-29

I have the following table:
ValuationRatios company industry sector

___________________________________ _______ ________ ______

"P/E Ratio" 31.96 0 0
"Price/Revenue" 7.79 6.35 7.04
"Price/Book" 45.88 25.45 10.02
"Price to Cash Flow per Share" 28.46 1.33 3.89
"Price to Free Cash Flow per Share" 31.66 1.82 6.37
"Dividend Yield" 0.49 0.49 0.6
"Payout Ratio" 15.58 15.59 28.8
"Quick/Acid Test Ratio" 0.75 0.61 1.03
whos Tindclean
Name Size Bytes Class Attributes

Tindclean 23×4 4221 table
Tindclean.Properties.VariableTypes
string double double double (1 x 4) string
I am trying to create a grouped bar plot/stacked from the table.I have the following table:
ValuationRatios company industry sector

___________________________________ _______ ________ ______

"P/E Ratio" 31.96 0 0
"Price/Revenue" 7.79 6.35 7.04
"Price/Book" 45.88 25.45 10.02
"Price to Cash Flow per Share" 28.46 1.33 3.89
"Price to Free Cash Flow per Share" 31.66 1.82 6.37
"Dividend Yield" 0.49 0.49 0.6
"Payout Ratio" 15.58 15.59 28.8
"Quick/Acid Test Ratio" 0.75 0.61 1.03
whos Tindclean
Name Size Bytes Class Attributes

Tindclean 23×4 4221 table
Tindclean.Properties.VariableTypes
string double double double (1 x 4) string
I am trying to create a grouped bar plot/stacked from the table. I have the following table:
ValuationRatios company industry sector

___________________________________ _______ ________ ______

"P/E Ratio" 31.96 0 0
"Price/Revenue" 7.79 6.35 7.04
"Price/Book" 45.88 25.45 10.02
"Price to Cash Flow per Share" 28.46 1.33 3.89
"Price to Free Cash Flow per Share" 31.66 1.82 6.37
"Dividend Yield" 0.49 0.49 0.6
"Payout Ratio" 15.58 15.59 28.8
"Quick/Acid Test Ratio" 0.75 0.61 1.03
whos Tindclean
Name Size Bytes Class Attributes

Tindclean 23×4 4221 table
Tindclean.Properties.VariableTypes
string double double double (1 x 4) string
I am trying to create a grouped bar plot/stacked from the table. group bar or stacked plot with multiple columns MATLAB Answers — New Questions

​

fractional discrete  henon map
Matlab News

fractional discrete henon map

PuTI / 2025-07-29

I’m currently working on the fractional Hénon map, but I’m facing difficulties in drawing the bifurcation diagrams correctly. I’m not sure how to implement the fractional order in the iteration process or which method is most suitable. I would really appreciate any guidance or examples you could provide.I’m currently working on the fractional Hénon map, but I’m facing difficulties in drawing the bifurcation diagrams correctly. I’m not sure how to implement the fractional order in the iteration process or which method is most suitable. I would really appreciate any guidance or examples you could provide. I’m currently working on the fractional Hénon map, but I’m facing difficulties in drawing the bifurcation diagrams correctly. I’m not sure how to implement the fractional order in the iteration process or which method is most suitable. I would really appreciate any guidance or examples you could provide. henon fractional map, bifurcation diagram MATLAB Answers — New Questions

​

How can I declare Hexadecimal enum constants in a classdef
Matlab News

How can I declare Hexadecimal enum constants in a classdef

PuTI / 2025-07-29

classdef xyz
properties(Constant)
WaveformTypes = struct(‘SINE’,0, ‘SQUARE’,1, ‘TRIANGLE’,2, ‘RAMP UP’,3, …
‘RAMP DOWN’,4, ‘DC’,5, ‘PULSE’,6, ‘PWM’,7, ‘ARB’,8, ‘COMPOSITE’,9, ‘CUSTOM LUT’, A);
end
methods(Static)
*functions of xyz implemented with calllib*
end
end

I tried using 0x1, 0x2, etc, but this throws a property syntax error. My first question is, will the ‘A’ here denote a hexadecimal value? If not, how else do I declare?
My second question, is there is a better way to implement this? Please ask if you need any further info. Cheers!classdef xyz
properties(Constant)
WaveformTypes = struct(‘SINE’,0, ‘SQUARE’,1, ‘TRIANGLE’,2, ‘RAMP UP’,3, …
‘RAMP DOWN’,4, ‘DC’,5, ‘PULSE’,6, ‘PWM’,7, ‘ARB’,8, ‘COMPOSITE’,9, ‘CUSTOM LUT’, A);
end
methods(Static)
*functions of xyz implemented with calllib*
end
end

I tried using 0x1, 0x2, etc, but this throws a property syntax error. My first question is, will the ‘A’ here denote a hexadecimal value? If not, how else do I declare?
My second question, is there is a better way to implement this? Please ask if you need any further info. Cheers! classdef xyz
properties(Constant)
WaveformTypes = struct(‘SINE’,0, ‘SQUARE’,1, ‘TRIANGLE’,2, ‘RAMP UP’,3, …
‘RAMP DOWN’,4, ‘DC’,5, ‘PULSE’,6, ‘PWM’,7, ‘ARB’,8, ‘COMPOSITE’,9, ‘CUSTOM LUT’, A);
end
methods(Static)
*functions of xyz implemented with calllib*
end
end

I tried using 0x1, 0x2, etc, but this throws a property syntax error. My first question is, will the ‘A’ here denote a hexadecimal value? If not, how else do I declare?
My second question, is there is a better way to implement this? Please ask if you need any further info. Cheers! classes, constants, hexadecimal, enums MATLAB Answers — New Questions

​

Entra ID Governance Levies Charges for Guest Accounts
News

Entra ID Governance Levies Charges for Guest Accounts

Tony Redmond / 2025-07-29

Monthly Fee for Guest Accounts That Use ID Governance Features

I recently revisited Entra ID access reviews to find a banner warning about charges for guest accounts that consume Entra ID Governance features (Figure 1). Apparently, the new charges started in June 2025 and are paid for on a metered basis through an Azure subscription associated with the Entra tenant.

Entra ID warns of new changes for ID Governance features.
Figure 1: Entra ID warns of new changes for ID Governance features

The relevant documentation reveals the set of chargeable features for guest accounts. Access reviews for inactive guest accounts are on the list, and that’s why the banner showed up.

Charging is on a monthly active user basis (MAU). This is not the same as the MAU for general guest access to Microsoft 365 groups, teams, and sites, which covers normal activities for up to 50,000 guest accounts monthly. In this case, a monthly active user is any guest account that takes advantage of one of the listed Entra ID governance feature during a month. Every ID Governance MAU incurs a charge of $0.75 (six times the price charged for guest accounts that surpass the 50,000 MAU threshold for normal activity).

Going back to access reviews, if my calculation is correct, a tenant using access reviews to detect and remove inactive guests (as recommended by Microsoft) with access reviews scheduled on a quarterly basis will incur a $3 cost per guest account (4 x 0.75 x number of guests). That might seem like small beans, but costs have a corrosive habit of accruing over time.

DIY Inactive Guest Reviews

It’s not as if Microsoft performs any great magic to detect inactive guests. It’s perfectly feasible to write your own inactive guest removal process and schedule the process using Azure Automation. Your version might not be as pretty as Microsoft’s is, but you can build more intelligence into the review by including searches against audit log data to detect activities other than sign-ins. And a DIY process won’t require Entra P2 licenses either.

Coding a Report of Likely Costs

The Microsoft documentation includes the helpful advice that “You can identify actions that will be billed to the Microsoft Entra ID Governance for guests add-on by looking at your audit logs.” Even a small tenant will have large quantities of data in the Entra ID audit log, so some automation is needed. The data from the Entra ID audit log is eventually ingested into the unified audit log, but in this case, we’ll work with the Entra ID data.

The steps required to find audit log entries that mark chargeable transactions are:

Run the Connect-MgGraph cmdlet to open an interactive Microsoft Graph session. The session needs consent for the AuditLog.Read.All permission, and the signed in user must be an administrator with a role that allows access to the audit logs, like Reports Reader or Security administrator. Finally, the account must have an Entra P1 license, which is needed for API access to audit logs.

Now run the Get-MgAuditLogDirectoryAudit cmdlet to retrieve the audit log entries to analyze. Because Microsoft bills monthly, it seems logical to fetch the logs for the current month:

$FirstDayOfMonth = (Get-Date -Day 1).ToString('yyyy-MM-ddT00:00:00Z')
[array]$AuditRecords = Get-MgAuditLogDirectoryAudit -All -Filter "activityDateTime ge $FirstDayOfMonth and result eq 'success'"

I can’t find a good server-side filter to find the audit records for chargeable events, so a client-side filter does the trick:

[array]$GovernanceRecords = $AuditRecords | Where-Object { $_.additionalDetails.key -eq "GovernanceLicenseFeatureUsed"}

The next part scans the governance records to find if guest users are involved. If so, data is extracted and reported:

If  ('"Guest"' -in $Record.TargetResources.ModifiedProperties.NewValue) {
     $UserDisplayName = ($Record.TargetResources.ModifiedProperties | Where-Object {$_.DisplayName -eq "DisplayName"}).NewValue
     $UserEmail = ($Record.TargetResources.ModifiedProperties | Where-Object {$_.DisplayName -eq "Email"}).NewValue 
     $UserUPN = ($Record.TargetResources.ModifiedProperties | Where-Object {$_.DisplayName -eq "PrincipalName"}).NewValue
     $UserId = ($Record.TargetResources.ModifiedProperties | Where-Object {$_.DisplayName -eq "TargetId"}).NewValue
}

After all records are processed, a report file containing every chargeable event for guest records is available. To reduce the set to individual users, the script sorts the data to extract unique values:

[array]$GovernanceUsers = $GovernanceReport | Sort-Object UserId -Unique | Select-Object UserId, UserDisplayName, UserEmail, UserUPN

Finally, the script reports the results (Figure 2).

Reporting guest accounts that used Entra ID Governance features.
Figuire 2: Reporting guest accounts that used Entra ID Governance features

You can download the script I wrote from the Office 365 IT Pros GitHub repository.

No Great Insight from Azure Billing

The billing reports for the Azure subscription that is charged has a line item for “P2 monthly active users.” I haven’t seen a detailed list of the guest accounts covered by the charge. Perhaps Microsoft will include this information in the future. If not, I guess it should be easy to correlate the charges levied against a subscription with the list of guest accounts extracted from the audit logs.


Learn more about how the Microsoft 365 applications really work on an ongoing basis by subscribing to the Office 365 for IT Pros eBook. Our monthly updates keep subscribers informed about what’s important across the Office 365 ecosystem.

 

Find your Office apps in Windows – Microsoft Support
Microsoft News

Find your Office apps in Windows – Microsoft Support

PuTI / 2025-07-29

Learn how to find your Office apps in Windows 10 by searching for them in the search box on the taskbar.

​ 

I have enabled SSH and am accessing my Raspberry Pi 5 using VNC. The Raspberry Pi is also connected to the network. However, when I try to check the connection, the system sho
Matlab News

I have enabled SSH and am accessing my Raspberry Pi 5 using VNC. The Raspberry Pi is also connected to the network. However, when I try to check the connection, the system sho

PuTI / 2025-07-28

Post Content Post Content simulink, matlab MATLAB Answers — New Questions

​

How Microsoft’s customers and partners accelerated AI Transformation in FY25 to innovate with purpose and shape their future success
Microsoft News

How Microsoft’s customers and partners accelerated AI Transformation in FY25 to innovate with purpose and shape their future success

PuTI / 2025-07-28

Over the past fiscal year, our customers and partners have driven pragmatic outcomes by implementing AI-first strategies across their organizations. With AI Transformation as their framework, we helped them enrich employee experiences, reinvent customer engagement, reshape business processes and bend the curve on innovation for their people, businesses and industries. Now, we are partnering to go beyond what they thought possible to unlock even greater potential by restructuring and centralizing their business strategies with an AI-first mindset. Our cloud and AI capabilities are leading the industry, and we are committed to working closely with our customers and partners to meet their increasingly complex needs and help them become frontier AI firms.

Below are several stories from the past quarter reflecting the success we have seen broadly this past year. Each showcases what we can achieve together with an approach grounded in AI business solutions, cloud and AI platforms, and security.

AI is blurring the lines between personal and organizational productivity, and we are helping our customers leverage Copilots and agents combined with human ambition to create differentiation.

With over one million customers in Argentina, Banco Ciudad launched a digital transformation initiative focused on AI, productivity and security. What began as a pilot program quickly grew into broad adoption with the bank implementing Microsoft 365 Copilot to improve productivity, Microsoft Copilot Studio to develop agents and Microsoft Azure to scale their AI solutions. As a result, the bank strengthened its operational resilience, empowered teams, drove sustainable growth and improved customer engagement — even in a challenging economic environment. So far, the bank has freed up 2,400 employee work hours annually with savings projected to generate $75,000 USD monthly.

As one of the country’s largest financial institutions, Commonwealth Bank of Australia is harnessing AI to meet rising customer expectations by developing smarter, more secure and highly customizable banking experiences at scale. To ensure employees have the confidence and expertise to leverage AI effectively, the bank launched a structured skilling initiative to empower them with the knowledge needed to adopt AI effectively. Eighty-four percent of 10,000 Microsoft 365 Copilot users reported they would not go back to working without it; and nearly 30% of GitHub Copilot code suggestions were adopted, driving efficiency and smarter decision-making.

Nonprofit Make-A-Wish is dedicated to granting hope by fulfilling wishes for children with critical illnesses across the United States. Fragmented systems, limited data access and the need to protect sensitive information were creating challenges for the organization to operate effectively, so it turned to partner Redapt for support. Make-A-Wish deployed comprehensive Microsoft cloud and AI solutions — including Azure Cloud Services, Microsoft Fabric, Microsoft 365 Copilot and Copilot Studio — to unify its data, rebuild core applications and boost staff productivity. This transformation enabled the organization to increase operational efficiency, improve collaboration across national and regional chapters and strengthen its data security to protect sensitive family data.

Sheló NABEL, a wellness and beauty company based in Mexico, faced operational challenges as it expanded its network of independent entrepreneurs. With support from partner Best Practices Consulting, the company integrated Microsoft Dynamics 365 to gain real-time market insights and optimize its demand planning across more than 400 products. They also integrated Microsoft Copilot to enhance customer service and increase operational efficiency with AI. As a result, the company has achieved a 17% increase in sales, 5X faster reporting processes and real-time inventory control.

Based in Saudi Arabia, technology and communications company Unifonic serves millions of people across 160 countries. As their business began to scale rapidly, they faced challenges managing a growing hybrid workforce while maintaining strong security and compliance standards. To solve this, the company deployed Microsoft 365 E5 and Microsoft 365 Copilot to automate workflows and secure data in one platform. This unified ecosystem enabled teams to reduce time spent on audits by 85%, save two hours per day on cybersecurity governance, save $250,000 USD in costs and reduce time to set up client demos by 15%.

Microsoft has the leading cloud platform for AI innovation with Azure as the infrastructure, Azure AI Foundry as the applications server and Fabric as the data platform.

As legal professionals face challenges with manual data entry, document generation and compliance-heavy processes, Assembly Software aimed to transform how they handle complex, time-consuming workflows. Using Azure AI Foundry, the company built NeosAI — a fully embedded generative AI solution that automates nearly every aspect of the legal workflow — from document intake to drafting and reporting. As a result, law firms using NeosAI report saving up to 25 hours per case, with document drafting time reduced from 40 hours to just minutes. This AI solution is not only boosting productivity and reducing stress for legal professionals but also enabling firms to serve more clients with greater speed and accuracy.

One of the world’s oldest continuously operating companies, Husqvarna Group, faced increasing pressure to modernize its network of factories, supply chains and distribution channels to stay competitive in a rapidly evolving landscape. The company implemented a comprehensive Microsoft Azure solution — including Azure Arc, Azure IoT Operations and Azure OpenAI — to unify cloud and on-premises systems, enable real-time data insights and drive innovation across global manufacturing operations. As a result, the company achieved a 98% reduction in data deployment time, cut infrastructure imaging costs by 50% and significantly improved productivity and uptime across its connected factories.

Serving over 600,000 members in the United States, Members 1st Federal Credit Union sought to modernize its data infrastructure to deliver more personalized member experiences and support data-driven decision-making. The credit union faced challenges with siloed data across more than 15 sources and legacy systems with limited analytics capabilities. With support from partner 3Cloud, the credit union combined Azure SQL, Azure Data Factory and Azure Databricks to extract, log and centralize enterprise-wide data into a cutting-edge data lakehouse. Machine learning models that took 36 hours to run can now be done in three to four hours — a reduction of about 89%. Additionally, updates within its customer relationship management software now take 30 to 40 minutes compared to three to four hours previously.

NTT DATA, a global IT and business services leader headquartered in Japan, sought to accelerate decision-making and unlock deeper insights by overcoming limitations of legacy dashboards and siloed data systems. Serving clients in over 50 countries, the company needed a more intuitive, scalable and AI-driven approach to data access and analysis. NTT DATA deployed Microsoft Fabric, Azure AI Foundry Agent Service and Azure AI Foundry to enable the creation of conversational AI tools that allow employees to retrieve and act on real-time data. This agentic AI platform significantly improved productivity, reduced time to market for new solutions by 50% and laid the foundation for broader adoption of multi-agent frameworks across the organization.

University of Venda, a public higher education institution in South Africa, modernized its IT infrastructure to support its strategic goal of producing globally competitive graduates while meeting the evolving needs of its regional and international students. Facing challenges with aging on-premises servers, frequent service interruptions and a six-month hardware procurement cycle, the university sought a more agile and reliable solution. By deploying Microsoft 365, migrating 18 systems to Microsoft Azure and leveraging Microsoft Unified Support, the university achieved 99% service uptime and reduced resource provisioning time from six months to under 12 hours. This transformation significantly improved system reliability, scalability and security, enabling students and staff to access essential services seamlessly from anywhere. 

Security is the foundation for AI Transformation. We are helping our customers and partners defend against threat actors and secure their environments with Microsoft’s cloud and AI solutions. 

Following its spinoff from Eli Lilly, Elanco sought to modernize its IT and security infrastructure by building a secure, scalable digital environment from the ground up. The company deployed a comprehensive Microsoft solution stack comprised of Microsoft 365 E5, Microsoft Defender suite, Microsoft Sentinel, Microsoft Intune and Microsoft Security Copilot. This integrated approach streamlined global IT operations across 90 countries, enabling Elanco to accelerate security response times by 50% with a future-ready, secure and efficient digital ecosystem that empowers their workforce.

Kern County faced significant challenges securing and governing their data across 40 departments — each operating with fragmented IT systems. With an approach grounded in data protection, the county deployed Microsoft Purview as part of its Microsoft 365 Government G5 suite. The implementation resulted in the classification of over 13 million files, near-total adoption of sensitivity labels and over 3,000 data loss prevention alerts in a single month. A validation assessment also showed the county saved about $1 million in mitigation risk and potential noncompliance. This transformation strengthened audit readiness, reduced data exposure risks and laid a secure foundation for future innovation.

Headquartered in the Czech Republic, Mews provides cloud-based property management solutions to help modernize hotel operations worldwide. As it scaled its platform to serve thousands of properties worldwide, the company faced increasing cybersecurity threats and sought to strengthen its security posture and streamline threat detection. By deploying Microsoft Sentinel, Microsoft Defender for Cloud, Microsoft Entra ID and Microsoft Security Copilot, they enabled real-time monitoring, automated threat response and centralized visibility across its cloud infrastructure. As a result, the company reduced incident response times from hours to minutes and enhanced its ability to meet stringent compliance requirements to ensure secure growth in a highly regulated industry.

Puritan Life Insurance Company of America transformed its business model by launching Canvas Annuity — a direct-to-consumer digital distribution platform built entirely on Microsoft Azure. With the security features built into the technology out of the box, the team can detect and block malware attacks and threats, manage security efficiently and more easily pass regulatory, financial and information security audits. By creating a secure, scalable and user-friendly platform, customers can now purchase annuities online in just 10 minutes — a speed previously unheard of. Since launching, the company has seen a 700% increase in annual premium revenue, with the platform now accounting for 75% of premiums every year.

Facing growing cyber threats to its research, Singapore Management University needed to maintain seamless access for students and faculty while ensuring compliance with the country’s stringent data privacy regulations. The university implemented Microsoft’s Zero Trust framework by integrating Microsoft Security Copilot with Microsoft’s comprehensive security suite to strengthen protection while maintaining academic accessibility. This helped reduce response times and ease workloads for security teams while also supporting security analysts to streamline incident investigations, summarize complex multistage attacks and receive guided response recommendations in real time. The integrated security solution reduced operational costs and enhanced compliance reporting while maintaining seamless access to research resources.

For additional AI Transformation stories, check out AI-powered success—with more than 1,000 stories of customer transformation and innovation.

I could not be more excited by our mission than I am today — and I believe we have never been closer to bringing it to life than we are right now. With Microsoft’s leading technology and expertise, we are helping our customers and partners implement AI to bring out the best in individuals, organizations and companies. We are partnering to reinvent their business strategies and move beyond AI adoption alone to innovate with purpose and shape their futures as frontier AI firms. The opportunity to differentiate your business through AI Transformation and pave the way for industry leadership is now.

The post How Microsoft’s customers and partners accelerated AI Transformation in FY25 to innovate with purpose and shape their future success appeared first on The Official Microsoft Blog.

Over the past fiscal year, our customers and partners have driven pragmatic outcomes by implementing AI-first strategies across their organizations. With AI Transformation as their framework, we helped them enrich employee experiences, reinvent customer engagement, reshape business processes and bend the curve on innovation for their people, businesses and industries. Now, we are partnering to…
The post How Microsoft’s customers and partners accelerated AI Transformation in FY25 to innovate with purpose and shape their future success appeared first on The Official Microsoft Blog.Read More

how can I get back the line link in error messages?
Matlab News

how can I get back the line link in error messages?

PuTI / 2025-07-28

Hey there,
I recently upgraded my MATLAB to R2025a for a workstation using Ubuntu 22.04.5 LTS.
However, I noticed that a really nice feature for debugging dispeared in my new version: the link to the line of the code that gives the runtime error to allow me to quickly navigate to the code location. now I have to use ctrl + g then fill in the line number to navigate
I tried googling the way to enable the line linking option, but didn’t find anything useful for this new version of MATLAB.
Would really appreciate it if someone could help out ! Thanks!Hey there,
I recently upgraded my MATLAB to R2025a for a workstation using Ubuntu 22.04.5 LTS.
However, I noticed that a really nice feature for debugging dispeared in my new version: the link to the line of the code that gives the runtime error to allow me to quickly navigate to the code location. now I have to use ctrl + g then fill in the line number to navigate
I tried googling the way to enable the line linking option, but didn’t find anything useful for this new version of MATLAB.
Would really appreciate it if someone could help out ! Thanks! Hey there,
I recently upgraded my MATLAB to R2025a for a workstation using Ubuntu 22.04.5 LTS.
However, I noticed that a really nice feature for debugging dispeared in my new version: the link to the line of the code that gives the runtime error to allow me to quickly navigate to the code location. now I have to use ctrl + g then fill in the line number to navigate
I tried googling the way to enable the line linking option, but didn’t find anything useful for this new version of MATLAB.
Would really appreciate it if someone could help out ! Thanks! feature setting, debugging, error link to line MATLAB Answers — New Questions

​

HYBRID ENERGY STORAGE SYSTEM SUPERCAPACITOR BATTERY OFF-GRID SOLAR POWER SYSTEM
Matlab News

HYBRID ENERGY STORAGE SYSTEM SUPERCAPACITOR BATTERY OFF-GRID SOLAR POWER SYSTEM

PuTI / 2025-07-28

Hi friends, can I ask for your help? I am a student and am currently working on my final project. I’m stuck and don’t know who to ask for help. I’m developing a HESS supercapacitor battery system for an off-grid solar power plant. However, I’m not getting the results I want. I’m confused by the results because the current or power in the supercapacitor isn’t functioning properly, and the current or power from the battery reacts too quickly, so it doesn’t show the benefits of the supercapacitor. Does anyone know where the problem lies and how to solve it? I am willing to pay if necessary, but my funds are limited. I will do my best to make it work.Hi friends, can I ask for your help? I am a student and am currently working on my final project. I’m stuck and don’t know who to ask for help. I’m developing a HESS supercapacitor battery system for an off-grid solar power plant. However, I’m not getting the results I want. I’m confused by the results because the current or power in the supercapacitor isn’t functioning properly, and the current or power from the battery reacts too quickly, so it doesn’t show the benefits of the supercapacitor. Does anyone know where the problem lies and how to solve it? I am willing to pay if necessary, but my funds are limited. I will do my best to make it work. Hi friends, can I ask for your help? I am a student and am currently working on my final project. I’m stuck and don’t know who to ask for help. I’m developing a HESS supercapacitor battery system for an off-grid solar power plant. However, I’m not getting the results I want. I’m confused by the results because the current or power in the supercapacitor isn’t functioning properly, and the current or power from the battery reacts too quickly, so it doesn’t show the benefits of the supercapacitor. Does anyone know where the problem lies and how to solve it? I am willing to pay if necessary, but my funds are limited. I will do my best to make it work. hess, hybrid, energy, system, storage, battery_system_management, power_electronics_control, simpowersystems, pv, solar, pi, pid, supercapacitor, battery MATLAB Answers — New Questions

​

FOC in Simulink for induction motor: Te = 0 and only one PWM phase reaches Vdc
Matlab News

FOC in Simulink for induction motor: Te = 0 and only one PWM phase reaches Vdc

PuTI / 2025-07-28

I’m developing a Field Oriented Control (FOC) system for an Induction Motor (IM) in Simulink. The model includes:
Inverter driven by a PWM block
Rotor position and speed measurement or estimation
Clarke and Park transformations
PID controllers for Id and Iq
Reference inputs for rotor flux and rotor angle (θ<sub>r</sub>)
The PID controllers are configured with standard parameters and anti-windup enabled
Issue:
The electromagnetic torque Te stays at zero, even when a non-zero speed reference is applied
Only one of the PWM output voltages reaches Vdc; the other two remain very low or close to zero
Checks already performed:
The motor feedback currents seem correct
Iq ≠ 0 and Id = 0, as expected
The inverter output voltages toward the motor appear to be valid
The reference signals reach the PID controllers properly
Attached:
A picture of the full FOC model in Simulink
Parameter settings of the induction motor
Scopes showing Te and the PWM input signalsI’m developing a Field Oriented Control (FOC) system for an Induction Motor (IM) in Simulink. The model includes:
Inverter driven by a PWM block
Rotor position and speed measurement or estimation
Clarke and Park transformations
PID controllers for Id and Iq
Reference inputs for rotor flux and rotor angle (θ<sub>r</sub>)
The PID controllers are configured with standard parameters and anti-windup enabled
Issue:
The electromagnetic torque Te stays at zero, even when a non-zero speed reference is applied
Only one of the PWM output voltages reaches Vdc; the other two remain very low or close to zero
Checks already performed:
The motor feedback currents seem correct
Iq ≠ 0 and Id = 0, as expected
The inverter output voltages toward the motor appear to be valid
The reference signals reach the PID controllers properly
Attached:
A picture of the full FOC model in Simulink
Parameter settings of the induction motor
Scopes showing Te and the PWM input signals I’m developing a Field Oriented Control (FOC) system for an Induction Motor (IM) in Simulink. The model includes:
Inverter driven by a PWM block
Rotor position and speed measurement or estimation
Clarke and Park transformations
PID controllers for Id and Iq
Reference inputs for rotor flux and rotor angle (θ<sub>r</sub>)
The PID controllers are configured with standard parameters and anti-windup enabled
Issue:
The electromagnetic torque Te stays at zero, even when a non-zero speed reference is applied
Only one of the PWM output voltages reaches Vdc; the other two remain very low or close to zero
Checks already performed:
The motor feedback currents seem correct
Iq ≠ 0 and Id = 0, as expected
The inverter output voltages toward the motor appear to be valid
The reference signals reach the PID controllers properly
Attached:
A picture of the full FOC model in Simulink
Parameter settings of the induction motor
Scopes showing Te and the PWM input signals foc, simulink, matlab, induction-motor, pwm, vector control, te zero MATLAB Answers — New Questions

​

Is it possible to add a secondary y axis while using the stackedplot function?
Matlab News

Is it possible to add a secondary y axis while using the stackedplot function?

PuTI / 2025-07-28

Is it possible to add a secondary y axis while using the stackedplot function? I have some overlayed data in my stackedplot and I would like to add a secondary y axis for some of the individual plots. Is this possible?Is it possible to add a secondary y axis while using the stackedplot function? I have some overlayed data in my stackedplot and I would like to add a secondary y axis for some of the individual plots. Is this possible? Is it possible to add a secondary y axis while using the stackedplot function? I have some overlayed data in my stackedplot and I would like to add a secondary y axis for some of the individual plots. Is this possible? stackedplot, secondary yaxis MATLAB Answers — New Questions

​

August 2025 Update for Automating Microsoft 365 with PowerShell eBook
News

August 2025 Update for Automating Microsoft 365 with PowerShell eBook

Tony Redmond / 2025-07-28

Version 14 of Automating Microsoft 365 with PowerShell eBook Available for Download

Automating Microsoft 365 with PowerShell Second Edition.PowerShell eBook.

The Office 365 for IT Pros team is delighted to announce the release of version 14 of the Automating Microsoft 365 with PowerShell eBook. The book is included in the Office 365 for IT Pros eBook bundle and is available for separate purchase by those who are only interested in PowerShell. Naturally, we recommend the full Office 365 for IT Pros bundle! We’ve also updated the paperback edition of Automating Microsoft 365 with PowerShell that’s available on a print on demand basis from Amazon.com.

This update includes new information about Microsoft Graph APIs, the Microsoft Graph PowerShell SDK, code examples, insights gleaned from experience of using Graph APIs and cmdlets in scripts and with Azure Automation, and so on. Version 14 spans 350 content-rich pages and is essential reading for anyone who wants to work with a Microsoft 365 tenant through PowerShell.

If you have an Office 365 for IT Pros subscription or have purchased the separate version of Automating Microsoft 365 with PowerShell, you can download the updated PDF and EPUB files now. Use the View content link in the receipt you were emailed after taking out your subscription to get the files.

Microsoft Graph PowerShell SDK Updates

Speaking of the Microsoft Graph PowerShell SDK, Microsoft released V2.29 on July 9, 2025, and followed up with V2.29.1 a few days later. Regretfully, there was a total lack of formal communication from Microsoft about why the point release was needed so soon after V2.29 appeared. Sources behind the scenes say that a tooling problem was identified that Microsoft felt they should fix. The Microsoft.Graph.BackupRestore module was the only one affected by the V2.29.1 update.

Be aware that the issue with Azure Automation PowerShell runtimes and the Microsoft Graph PowerShell SDK persists. In a nutshell, use PowerShell V5.1 modules and runbooks with the Graph PowerShell SDK (including V2.29.1) until better news emerges.

Metered API Changes

On July 25, Microsoft published message center notification MC1122144 to announce that they are changing how metered APIs in Microsoft Graph incur costs based on usage. Effective August 25, 2025, a set of APIs will no longer be chargeable and it will not be necessary to set up an Azure subscription to pay for the metered use of the APIs.

To say that this announcement was surprising is an understatement. The set of APIs include the assignSensitivityLabel API used to assign sensitivity labels to Office files and PDFs stored in SharePoint Online and OneDrive for Business (here’s how to assign labels with PowerShell). I guess tenants can now build their own auto-label policies to apply sensitivity labels to target content. The APIs also include the Teams chat export API, which is a good example of what Microsoft calls a high-capacity API (access to data at scale). Perhaps Microsoft now considers that its infrastructure can cope with demands from apps to access large quantities of Teams data.

In any case, after August 25, 2025, Azure will register no further billing events when apps call the APIs and customers will receive a final bill.

On to Version 15 of the PowerShell eBook

PowerShell doesn’t remain static and nor do the modules used in Microsoft 365 tenants. We’ll continue working on the Automating Microsoft 365 with PowerShell eBook to add more content by covering additional Graph APIs and new cmdlets introduced in other Microsoft 365 modules, as well as adding more practical examples to demonstrate the principles of using PowerShell to solve real-world problems.


So much change, all the time. It’s a challenge to stay abreast of all the updates Microsoft makes across the Microsoft 365 ecosystem. Subscribe to the Office 365 for IT Pros eBook to receive monthly insights into what happens, why it happens, and what new features and capabilities mean for your tenant.

 

please help to find the roots of dispersion relation w^2=g*k_0*tanh(k_0*h) and w^2=-g*k_m*tan(k_m*h). for m=0 and m=1,2,3,….. where w=2*pi/T, T is time period (constant) and
Matlab News

please help to find the roots of dispersion relation w^2=g*k_0*tanh(k_0*h) and w^2=-g*k_m*tan(k_m*h). for m=0 and m=1,2,3,….. where w=2*pi/T, T is time period (constant) and

PuTI / 2025-07-27

please help to find the roots of dispersion relation w^2=g*k_0*tanh(k_0*h) and w^2=-g*k_m*tan(k_m*h). for m=0 and m=1,2,3,….. where w=2*pi/T, T is time period (constant) and h is constant, k=2*pi/lambdaplease help to find the roots of dispersion relation w^2=g*k_0*tanh(k_0*h) and w^2=-g*k_m*tan(k_m*h). for m=0 and m=1,2,3,….. where w=2*pi/T, T is time period (constant) and h is constant, k=2*pi/lambda please help to find the roots of dispersion relation w^2=g*k_0*tanh(k_0*h) and w^2=-g*k_m*tan(k_m*h). for m=0 and m=1,2,3,….. where w=2*pi/T, T is time period (constant) and h is constant, k=2*pi/lambda k km dispersion relation water wave owc MATLAB Answers — New Questions

​

Export True and Predicted Class Labels from All Models in Classification Learner to CSV/Excel for Research Report
Matlab News

Export True and Predicted Class Labels from All Models in Classification Learner to CSV/Excel for Research Report

PuTI / 2025-07-27

I am using MATLAB’s Classification Learner App to train multiple models (e.g., SVM, KNN, NN, etc.) on my dataset. The app displays the confusion matrix for each model individually, which is helpful.
For my research, I want to export the predicted class labels along with the true class labels for each trained model into a single .csv or .xlsx file — ideally including:
Model name
True class label
Predicted class label
How can I export these predictions for all models from Classification Learner into a table form from the classifier learner?I am using MATLAB’s Classification Learner App to train multiple models (e.g., SVM, KNN, NN, etc.) on my dataset. The app displays the confusion matrix for each model individually, which is helpful.
For my research, I want to export the predicted class labels along with the true class labels for each trained model into a single .csv or .xlsx file — ideally including:
Model name
True class label
Predicted class label
How can I export these predictions for all models from Classification Learner into a table form from the classifier learner? I am using MATLAB’s Classification Learner App to train multiple models (e.g., SVM, KNN, NN, etc.) on my dataset. The app displays the confusion matrix for each model individually, which is helpful.
For my research, I want to export the predicted class labels along with the true class labels for each trained model into a single .csv or .xlsx file — ideally including:
Model name
True class label
Predicted class label
How can I export these predictions for all models from Classification Learner into a table form from the classifier learner? confusion matrix, csv file MATLAB Answers — New Questions

​

1 2 3 … 59 Next

Search

Categories

  • Matlab
  • Microsoft
  • News
  • Other
Application Package Repository Telkom University

Tags

matlab microsoft opensources
Application Package Download License

Application Package Download License

Adobe
Google for Education
IBM
Matlab
Microsoft
Wordpress
Visual Paradigm
Opensource

Sign Up For Newsletters

Be the First to Know. Sign up for newsletter today

Application Package Repository Telkom University

Portal Application Package Repository Telkom University, for internal use only, empower civitas academica in study and research.

Information

  • Telkom University
  • About Us
  • Contact
  • Forum Discussion
  • FAQ
  • Helpdesk Ticket

Contact Us

  • Ask: Any question please read FAQ
  • Mail: helpdesk@telkomuniversity.ac.id
  • Call: +62 823-1994-9941
  • WA: +62 823-1994-9943
  • Site: Gedung Panambulai. Jl. Telekomunikasi

Copyright © Telkom University. All Rights Reserved. ch

  • FAQ
  • Privacy Policy
  • Term