Month: June 2024
Training a TCN model to predict a Continuous Variable
Hello there, I am trying to build a TCN model to predict a continuous variable. Similar the the example here: https://www.mathworks.com/help/deeplearning/ug/sequence-to-sequence-classification-using-1-d-convolutions.html#SeqToSeqClassificationUsing1DConvAndModelFunctionExample-11. I have time series data in which I am using 3 input features (accelrometer measuments in x,y,z directions), but instead of classifying an acitivity, I am trying to estimate/predict a continuous variable. My predictors/input features are stored in a 10×1 cell array name "IMUdata" (each cell is one of the 10 trials) with each cell containing a 540×3 double with the acclerometer data from that trial. The target continous varable I am trying to predict is simialrly stored in a 10×1 cell array with each cell contaning a 540×1 double named "Predvar". The code I have been trying so far is:
numfeatures = 3;
numFilters = 64;
filterSize = 5;
droupoutFactor = 0.005;
numBlocks = 4;
net = dlnetwork;
layer = sequenceInputLayer(numFeatures,Normalization="rescale-symmetric",Name="input");
net = addLayers(net,layer);
outputName = layer.Name;
for i = 1:numBlocks
dilationFactor = 2^(i-1);
layers = [
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal",Name="conv1_"+i)
layerNormalizationLayer
spatialDropoutLayer(Name= "spat_drop_"+i,Probability=droupoutFactor)
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal")
layerNormalizationLayer
reluLayer
spatialDropoutLayer(Name="spat_drop2_"+i,Probability=droupoutFactor)
additionLayer(2,Name="add_"+i)];
% Add and connect layers.
net = addLayers(net,layers);
net = connectLayers(net,outputName,"conv1_"+i);
% Skip connection.
if i == 1
% Include convolution in first skip connection.
layer = convolution1dLayer(1,numFilters,Name="convSkip");
net = addLayers(net,layer);
net = connectLayers(net,outputName,"convSkip");
net = connectLayers(net,"convSkip","add_" + i + "/in2");
else
net = connectLayers(net,outputName,"add_" + i + "/in2");
end
% Update layer output name.
outputName = "add_" + i;
end
layers = [
fullyConnectedLayer(1)];
net = addLayers(net,layers);
net = connectLayers(net,outputName,"fc");
options = trainingOptions("adam", …
MaxEpochs=60, …
miniBatchSize=1, …
InputDataFormats="CTB", …
Plots="training-progress", …
Metrics="rmse", …
Verbose=0);
net = trainnet(IMUdata,Predvar,net,"mse",options)
However I am getiting an ERROR with the trainnet function saying that: Error setting data statistics of layer "input".nnet.cnn.layer.SequenceInputLayer>iAssertValidStatistics (line 341)Expected input to be of size 3×1, but it is of size 541×1.
Is this because of the way my input data is stored? Im not sure how to fix this error and if this is the correct way to build a TCN model to predict a continuous variable? Any help is greatly appreciated!Hello there, I am trying to build a TCN model to predict a continuous variable. Similar the the example here: https://www.mathworks.com/help/deeplearning/ug/sequence-to-sequence-classification-using-1-d-convolutions.html#SeqToSeqClassificationUsing1DConvAndModelFunctionExample-11. I have time series data in which I am using 3 input features (accelrometer measuments in x,y,z directions), but instead of classifying an acitivity, I am trying to estimate/predict a continuous variable. My predictors/input features are stored in a 10×1 cell array name "IMUdata" (each cell is one of the 10 trials) with each cell containing a 540×3 double with the acclerometer data from that trial. The target continous varable I am trying to predict is simialrly stored in a 10×1 cell array with each cell contaning a 540×1 double named "Predvar". The code I have been trying so far is:
numfeatures = 3;
numFilters = 64;
filterSize = 5;
droupoutFactor = 0.005;
numBlocks = 4;
net = dlnetwork;
layer = sequenceInputLayer(numFeatures,Normalization="rescale-symmetric",Name="input");
net = addLayers(net,layer);
outputName = layer.Name;
for i = 1:numBlocks
dilationFactor = 2^(i-1);
layers = [
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal",Name="conv1_"+i)
layerNormalizationLayer
spatialDropoutLayer(Name= "spat_drop_"+i,Probability=droupoutFactor)
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal")
layerNormalizationLayer
reluLayer
spatialDropoutLayer(Name="spat_drop2_"+i,Probability=droupoutFactor)
additionLayer(2,Name="add_"+i)];
% Add and connect layers.
net = addLayers(net,layers);
net = connectLayers(net,outputName,"conv1_"+i);
% Skip connection.
if i == 1
% Include convolution in first skip connection.
layer = convolution1dLayer(1,numFilters,Name="convSkip");
net = addLayers(net,layer);
net = connectLayers(net,outputName,"convSkip");
net = connectLayers(net,"convSkip","add_" + i + "/in2");
else
net = connectLayers(net,outputName,"add_" + i + "/in2");
end
% Update layer output name.
outputName = "add_" + i;
end
layers = [
fullyConnectedLayer(1)];
net = addLayers(net,layers);
net = connectLayers(net,outputName,"fc");
options = trainingOptions("adam", …
MaxEpochs=60, …
miniBatchSize=1, …
InputDataFormats="CTB", …
Plots="training-progress", …
Metrics="rmse", …
Verbose=0);
net = trainnet(IMUdata,Predvar,net,"mse",options)
However I am getiting an ERROR with the trainnet function saying that: Error setting data statistics of layer "input".nnet.cnn.layer.SequenceInputLayer>iAssertValidStatistics (line 341)Expected input to be of size 3×1, but it is of size 541×1.
Is this because of the way my input data is stored? Im not sure how to fix this error and if this is the correct way to build a TCN model to predict a continuous variable? Any help is greatly appreciated! Hello there, I am trying to build a TCN model to predict a continuous variable. Similar the the example here: https://www.mathworks.com/help/deeplearning/ug/sequence-to-sequence-classification-using-1-d-convolutions.html#SeqToSeqClassificationUsing1DConvAndModelFunctionExample-11. I have time series data in which I am using 3 input features (accelrometer measuments in x,y,z directions), but instead of classifying an acitivity, I am trying to estimate/predict a continuous variable. My predictors/input features are stored in a 10×1 cell array name "IMUdata" (each cell is one of the 10 trials) with each cell containing a 540×3 double with the acclerometer data from that trial. The target continous varable I am trying to predict is simialrly stored in a 10×1 cell array with each cell contaning a 540×1 double named "Predvar". The code I have been trying so far is:
numfeatures = 3;
numFilters = 64;
filterSize = 5;
droupoutFactor = 0.005;
numBlocks = 4;
net = dlnetwork;
layer = sequenceInputLayer(numFeatures,Normalization="rescale-symmetric",Name="input");
net = addLayers(net,layer);
outputName = layer.Name;
for i = 1:numBlocks
dilationFactor = 2^(i-1);
layers = [
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal",Name="conv1_"+i)
layerNormalizationLayer
spatialDropoutLayer(Name= "spat_drop_"+i,Probability=droupoutFactor)
convolution1dLayer(filterSize,numFilters,DilationFactor=dilationFactor,Padding="causal")
layerNormalizationLayer
reluLayer
spatialDropoutLayer(Name="spat_drop2_"+i,Probability=droupoutFactor)
additionLayer(2,Name="add_"+i)];
% Add and connect layers.
net = addLayers(net,layers);
net = connectLayers(net,outputName,"conv1_"+i);
% Skip connection.
if i == 1
% Include convolution in first skip connection.
layer = convolution1dLayer(1,numFilters,Name="convSkip");
net = addLayers(net,layer);
net = connectLayers(net,outputName,"convSkip");
net = connectLayers(net,"convSkip","add_" + i + "/in2");
else
net = connectLayers(net,outputName,"add_" + i + "/in2");
end
% Update layer output name.
outputName = "add_" + i;
end
layers = [
fullyConnectedLayer(1)];
net = addLayers(net,layers);
net = connectLayers(net,outputName,"fc");
options = trainingOptions("adam", …
MaxEpochs=60, …
miniBatchSize=1, …
InputDataFormats="CTB", …
Plots="training-progress", …
Metrics="rmse", …
Verbose=0);
net = trainnet(IMUdata,Predvar,net,"mse",options)
However I am getiting an ERROR with the trainnet function saying that: Error setting data statistics of layer "input".nnet.cnn.layer.SequenceInputLayer>iAssertValidStatistics (line 341)Expected input to be of size 3×1, but it is of size 541×1.
Is this because of the way my input data is stored? Im not sure how to fix this error and if this is the correct way to build a TCN model to predict a continuous variable? Any help is greatly appreciated! tcn model, trainnet function, machine learning, neural networks MATLAB Answers — New Questions
Flipping Sign provide wrong information and Answers
Hi, I type my equation and the equation reversing and change the meaning of the equation.
can you assists me how to solve this? how to turn off the alphabetical orders settings?Hi, I type my equation and the equation reversing and change the meaning of the equation.
can you assists me how to solve this? how to turn off the alphabetical orders settings? Hi, I type my equation and the equation reversing and change the meaning of the equation.
can you assists me how to solve this? how to turn off the alphabetical orders settings? flipping sign, reversing equation MATLAB Answers — New Questions
Pressure interpolation CFD to FEA
Hello,
I have a 3D pressure distribution in the form of x,y,z and pressure coefficient at each node. I also have the FEA grid in the form of x,y,z of each node. I would like to interpolate the pressure from the CFD grid to the FEA grid. How do I do that please? ThanksHello,
I have a 3D pressure distribution in the form of x,y,z and pressure coefficient at each node. I also have the FEA grid in the form of x,y,z of each node. I would like to interpolate the pressure from the CFD grid to the FEA grid. How do I do that please? Thanks Hello,
I have a 3D pressure distribution in the form of x,y,z and pressure coefficient at each node. I also have the FEA grid in the form of x,y,z of each node. I would like to interpolate the pressure from the CFD grid to the FEA grid. How do I do that please? Thanks pressure interpolation MATLAB Answers — New Questions
How to sum the CountDistinct in the detail rows?
The SSRS report has a CountDistinct in the detail row grouping by Facility. It has a CountDistinct in the total row but it is not the sum of the detail row counts.
For example, the sum of CountDistinct in the detail row is 100 and in the Count Distinct in the total row is 98. I believe if the member went to 2 facilities, the detail rows count as 2 and the total row counts as 1. How do I sum the CountDistinct in the detail rows?
Thanks.
The SSRS report has a CountDistinct in the detail row grouping by Facility. It has a CountDistinct in the total row but it is not the sum of the detail row counts. For example, the sum of CountDistinct in the detail row is 100 and in the Count Distinct in the total row is 98. I believe if the member went to 2 facilities, the detail rows count as 2 and the total row counts as 1. How do I sum the CountDistinct in the detail rows? Thanks. Read More
DNSSEC still a mystical idea
I’m very curious if the Product Managers and Security Engineering Leadership team over Azure is even watching the user demand for DNSSEC.
The feature request has been open for nearly a DECADE: https://feedback.azure.com/d365community/idea/d403899e-8526-ec11-b6e6-000d3a4f0789
DNSSEC is an important mechanism for deterring and preventing MITM (man in the middle) DNS attacks. Even Route53 has this functionality.
This is more of a rant post, but maybe someone from MSFT leadership will see this and start to pull some levers on the movement. It’s nice that SOME functionality of DNSSEC is available in preview, but that doesn’t even remotely help those with enterprise demands.
I’m very curious if the Product Managers and Security Engineering Leadership team over Azure is even watching the user demand for DNSSEC. The feature request has been open for nearly a DECADE: https://feedback.azure.com/d365community/idea/d403899e-8526-ec11-b6e6-000d3a4f0789 DNSSEC is an important mechanism for deterring and preventing MITM (man in the middle) DNS attacks. Even Route53 has this functionality. This is more of a rant post, but maybe someone from MSFT leadership will see this and start to pull some levers on the movement. It’s nice that SOME functionality of DNSSEC is available in preview, but that doesn’t even remotely help those with enterprise demands. Read More
“if” function in Power Query not working properly
Good day, I have a power query set up that is giving me the number of days between task completions during a large project.
However, I am missing the time from the last completed task until “today” for any Job sites that are not fully completed yet.
=if [#”Final Walkdown”] = [#”Completed”]
then [#”0″]
else ( if [#”Final Walkdown”] <> “”
then [#”Completed”]-[#”24-Hour Run Test”]
else ( if [#”24-Hour Run Test”] <> “”
then [#”Completed”]-[#”Rotor Install”]
else ( if [#”Rotor Install”] <> “”
then [#”Completed”]-[#”Rotor Removal”]
else ( if [#”Rotor Removal”] <> “”
then [#”Completed”]-[#”Prework Walkdown”]
else “0”))))
I get a valid result up until then [#”Completed”]-[#”24-Hour Run Test”].
Any fields beyond that just return “null”.
Any tips?
Good day, I have a power query set up that is giving me the number of days between task completions during a large project. However, I am missing the time from the last completed task until “today” for any Job sites that are not fully completed yet. =if [#”Final Walkdown”] = [#”Completed”] then [#”0″] else ( if [#”Final Walkdown”] <> “” then [#”Completed”]-[#”24-Hour Run Test”] else ( if [#”24-Hour Run Test”] <> “” then [#”Completed”]-[#”Rotor Install”] else ( if [#”Rotor Install”] <> “” then [#”Completed”]-[#”Rotor Removal”] else ( if [#”Rotor Removal”] <> “” then [#”Completed”]-[#”Prework Walkdown”] else “0”)))) I get a valid result up until then [#”Completed”]-[#”24-Hour Run Test”]. Any fields beyond that just return “null”. Any tips? Read More
Enabling ServiceNow Integration with Copilot for Microsoft 365 – HLS Copilot Snacks
On an earlier post, Copilot for Microsoft 365 Integration with Service Now – HLS Copilot Snacks, I demonstrated the use of integrated ServiceNow and Copilot for Microsoft 365. I received quite a few questions on how it was done so I decided to go to our Microsoft resident expert, Maria Kurian, to find out seeing as how Maria was the one to set it up in our demo tenant.
In this video Maria explains how she set up the integration between ServiceNow and Copilot for Microsoft 365.
Resources:
ServiceNow Catalog Microsoft Graph connector | Microsoft Learn
ServiceNow Knowledge Microsoft Graph connector | Microsoft Learn
ServiceNow Tickets Microsoft Graph connector | Microsoft Learn
I hope you found this helpful!
Thanks for visiting – Michael Gannotti LinkedIn
Microsoft Tech Community – Latest Blogs –Read More
Partner Spotlight: Improving Accessibility through App Innovation
As part of the Microsoft #BuildFor2030 Initiative, which aligns with the United Nations Sustainable Development Goals, we are committed to showcasing solutions that drive meaningful societal impact and spotlighting our partners’ growth stories on the marketplace. Throughout the series, we will be telling the unique stories of partners who are leading the way with AI in app development, who are building using multiple Microsoft products, and who are publishing transactable applications on the marketplace. In this article, Microsoft’s Andrea Katsivelis sat down with Nexer Digital’s Hilary Stephenson to learn more about their story and partner journey.
About Hilary: Hilary Stephenson is the Founder and Managing Director at Nexer Digital (founded in 2007 under the name Sigma). With a background in content design, and having started out in technical documentation and early web publishing, Hilary has been involved in user-centered design throughout her career. She is passionate about accessibility and inclusion and helping clients to embrace them.
About Andrea: Andrea Katsivelis, a global GTM director at Microsoft, specializes in AI, cloud, industry, and accessible solutions. Andrea leads integration strategies and fosters collaboration for corporate acquisitions and partner co-sell, accelerating market impact and revenue growth. Her commitment to marketing and communications excellence, accessibility, and DEI, along with her results-driven approach, embody Microsoft’s vision for inclusive innovation. Andrea is DEI Workplace certified and mentors in women’s leadership programs.
____________________________________________________________________________________________________________________________
[AK]: Tell us about Nexer and your mission. What inspired the founding?
[HS]: I have a background in user centered content design and accessibility. When asked to set up a new consulting company in the UK for our parent company, Nexer AB in 2007, I was keen to shape our hiring, services and sector focus around digital inclusion and social impact. I’m happy to say that we have grown to 100+ people across the UK, offering user research, product and service design to help make products and services more accessible and inclusive. We do this primarily in the health, government, charity and education sectors, meaning we are lucky to work on projects affecting a huge audience on behalf of our clients.
[AK]: Can you tell us a bit about the offer(s) you have available on the marketplace?
[HS]: We offer a range of services, from role-based training to accessibility audits, including an informative awareness session on Accessibility and Inclusion designed to raise awareness across teams, help organisations establish where they are on their accessibility journey, and where they’d like to be. This townhall-style session is perfect businesses of all shapes and sizes and includes senior stakeholder participation to establish buy-in, which is a crucial step in promoting accessibility as a core value.
Our Nexer Digital accessibility team, some of whom have personal lived experience lead the session. They share valuable insights on inclusive design and the challenges faced by users with disabilities when interacting with non-inclusive products, including those built with Microsoft products. The session also explores how Microsoft 365 and Teams can empower businesses to better support employees, customers, and citizens for more accessible and equitable digital experiences.
[AK]: How is Nexer helping customers make the most of Microsoft Teams and M365 Copilot, from an accessibility and disability inclusion perspective?
[HS]: We’ve been exploring how Copilot and M365 can make the workplace more accessible for users with disabilities. Through sharing their lived experience, our “Access at Nexer” Employee Resource group has been investigating the barriers that exist for individuals with different access needs, and how we can leverage built-in features including captioning and screen readers to address them.
We’ve also been interested in features like Copilot’s ability to summarise information from Teams and Outlook, generate transcripts, and convert data into accessible formats, all of which can reduce reliance on manual notetaking, reduce the cognitive load of such tasks, and allow for easier collaboration. This has particular benefits for neurodivergent colleagues.
This translates directly into the kind of support we can offer our clients too. By helping them prepare for Copilot, testing with real users, and supporting them to mature their approach to accessibility through training and awareness-raising, we’re ensuring they’re optimised and ready to make the most of all the benefits that Copilot and the M365 suite can offer.
[AK]: Nexer has been a part of driving the Accessibility agenda forward, leveraging the Microsoft Accessibility Horizons framework. We’re excited to feature your work as part of Horizons 1- Adopt: Enhance colleague experiences. What has been your experience engaging customers on the topic?
[HS]: We have worked with Microsoft to make our approach to accessibility onto the Horizon levels. For us, this means categorising our awareness raising, audits and training under the headings of Engage, Equip and Embed, taking clients from building knowledge, skills and capacity through to active advocacy and communities of practice. Microsoft have been hugely supportive in helping us develop this model. Clients are now opening their minds to the concept of colleague experience, where we are sharing guidance, use cases and experiments from our work with M265 and Copilot. We feel positive that we can use this framework to bring inclusion to the workplace and enhanced usability to corporate tools, as well as help shape policy around access to work, procurement and support for employees.
[AK]: How does your work align and support the UN SDGs? Can you share how work with customers has created business value and supported positive inclusion outcomes?
[HS]: Our work promotes the prioritisation of accessibility in the workplace, aligning with several UN Sustainable Development Goals (SDGs). By making corporate tools and digital workplaces more inclusive through the accessibility features found in Microsoft 365, we help our clients foster more equitable work environments (SDG 8: Decent Work and Economic Growth). Our approach also contributes to SDG 16: Peace, Justice and Strong Institutions by promoting a more inclusive society, and we aim to create and promote fairer, accessible workplaces, both physical and digital, where everyone can participate and feel welcome.
Our work with Bupa, a major health insurance company with 45 million customers really demonstrates how accessibility efforts can create both business value and positive inclusion outcomes (SDG 8: Decent Work and Economic Growth).
Through accessibility audits, inclusive usability testing, and training programs, we helped Bupa identify and address accessibility barriers across their digital platforms including mobile and web. This programme of work led to a more inclusive user experience for their diverse customer base.
This project also fostered a cultural shift within Bupa. Through role-based training we empowered staff from across the organisation, including the C-suite with the knowledge and tools to prioritise accessibility, creating a more inclusive work environment and aligning with SDG 8’s focus on promoting decent work for all. This commitment from Bupa’s leadership also secured ongoing resources for continued progress within the organisation.
[AK]: How do you suggest other Microsoft partners and all organizations start or grow their accessibility journey?
[HS]: Organizations can often be nervous about sharing their progress with accessibility, in fear of being told what they haven’t yet fixed. Litigation and a ack of understanding on where to start can be a real blocker to organisations talking about the subject. It is a journey though, so at Nexer, we always encourage our customers to share every step taken. Even better if they can do this in the context of a tools audit, product roadmap or accessibility statement, where they acknowledge what they’ve achieved and are transparent about the work still to be done. Making a commitment is vital and the Horizon model works perfectly in this context, as it’s about raising awareness, building confidence and creating mature communities of practice. The more people who share their progress, the greater the encouragement for others to follow.
[AK]: What are you most proud of in your journey building/leading Nexer? What’s next?
[HS]: We’ve built a real sense of community around accessibility over the last 20 years, which extends far beyond our own people and our immediate client work. This includes the relationship we have with Microsoft but also the partners we share in common, such as Purify Technology or Anywhere365. We help them understand the practical applicability of accessibility in their own work, from making meetings and Teams rooms more inclusive to creating contact centre scripts that seek to engage rather than alienate. It’s collaboration over competition. We speak at conferences, host meet-ups, work with freelancers and give accessibility a stage at our Camp Digital conference each year, and this network powers us forward. The next step will be to harness the true potential Copilot has for organizational inclusion, from access to work and on-boarding through to making corporate platforms usable and supportive.
_______________________________________________________________________________________________________
Join the marketplace community today! Just click “join” on the upper right corner of our marketplace community page. You can also subscribe to the community to stay updated on the latest stories of how these inspiring leaders carved their career paths, what lessons they learned along the way, and more.
Resources:
Join ISV Success
Join the marketplace community
Join the Microsoft #BuildFor2030 Initiative, a call-to-action for Microsoft partners to drive changemaking, innovation, and collective impact, to help advance the United Nations Sustainable Development Goals. Hear our partners’ perspective on participating.
Attest as a social impact or diverse business in Partner Center and be discovered on the marketplace.
Watch how Nexer drives inclusive colleague experiences forward with Accessibility Horizons 1
Microsoft Tech Community – Latest Blogs –Read More
lambda in fmincon Interior-Point Algorithm with Analytic Hessian
I am trying to use fmincon Interior-Point Algorithm with Analytic Hessian (https://www.mathworks.com/help/optim/ug/fmincon-interior-point-algorithm-with-analytic-hessian.html)
The examplay function is hessinterior which is Hessian of both c(1) and c(2).
My understanding is lambda is Lagrange Multiplier, which should be an output since it is the stationary points of the Lagrangian function. How come it is an input to the function hessinterior?
Thank you very much!I am trying to use fmincon Interior-Point Algorithm with Analytic Hessian (https://www.mathworks.com/help/optim/ug/fmincon-interior-point-algorithm-with-analytic-hessian.html)
The examplay function is hessinterior which is Hessian of both c(1) and c(2).
My understanding is lambda is Lagrange Multiplier, which should be an output since it is the stationary points of the Lagrangian function. How come it is an input to the function hessinterior?
Thank you very much! I am trying to use fmincon Interior-Point Algorithm with Analytic Hessian (https://www.mathworks.com/help/optim/ug/fmincon-interior-point-algorithm-with-analytic-hessian.html)
The examplay function is hessinterior which is Hessian of both c(1) and c(2).
My understanding is lambda is Lagrange Multiplier, which should be an output since it is the stationary points of the Lagrangian function. How come it is an input to the function hessinterior?
Thank you very much! fmincon, lambda MATLAB Answers — New Questions
How to add every nth element of an array to the nth+1 element?
I wonder if there is a short expression for the task above. For example if I had an array like this
a = [1, 2, 3, 3, 4, 5, 5, 6, 7, 7, 8, 9]
How can I add, let’s say every 3rd element to every 4th element to get an array like this ?
a = [1, 2, 3+3, 4, 5+5, 6, 7+7, 8, 9]
I can do this with some ugle lines of code, but what if you got a more elegant way?I wonder if there is a short expression for the task above. For example if I had an array like this
a = [1, 2, 3, 3, 4, 5, 5, 6, 7, 7, 8, 9]
How can I add, let’s say every 3rd element to every 4th element to get an array like this ?
a = [1, 2, 3+3, 4, 5+5, 6, 7+7, 8, 9]
I can do this with some ugle lines of code, but what if you got a more elegant way? I wonder if there is a short expression for the task above. For example if I had an array like this
a = [1, 2, 3, 3, 4, 5, 5, 6, 7, 7, 8, 9]
How can I add, let’s say every 3rd element to every 4th element to get an array like this ?
a = [1, 2, 3+3, 4, 5+5, 6, 7+7, 8, 9]
I can do this with some ugle lines of code, but what if you got a more elegant way? arrays MATLAB Answers — New Questions
Auto Fill logins and saves passwords on Edge Canary 128.0.2630.0
Hello, on the version of Edge Canary 128.0.2630.0
I´ve been missing the Auto Fill logins and saved passwords.
For doubt I´ve opened Edge stable and it works all OK. But on Canary when click not shows the stored options to fill up.
Anyone with this behavior?
Thanks’ all
Hello, on the version of Edge Canary 128.0.2630.0 I´ve been missing the Auto Fill logins and saved passwords. For doubt I´ve opened Edge stable and it works all OK. But on Canary when click not shows the stored options to fill up. Anyone with this behavior? Thanks’ all Read More
not receiving emails from gmail accounts
Don’t seem to be receiving any emails from gmail accounts
how can I fix this?
Don’t seem to be receiving any emails from gmail accountshow can I fix this? Read More
Updated Location Not Sent to Customer
In our office, we have a Public Bookings page where students can book appointments with our professional Advisors. Depending on who the student should meet with, our administrative staff will update the Booking with their unique location. For over a year, the customer would receive an email update as the locations were changed.
However, in the past few months we have noticed that our Customers (students) have not been receiving an email notifying them of the updated Booking Location. I have double checked our settings, which have not changed. Is there something we should do to fix this? Or is this a known bug in the system or a new update that this no longer happens?
In our office, we have a Public Bookings page where students can book appointments with our professional Advisors. Depending on who the student should meet with, our administrative staff will update the Booking with their unique location. For over a year, the customer would receive an email update as the locations were changed. However, in the past few months we have noticed that our Customers (students) have not been receiving an email notifying them of the updated Booking Location. I have double checked our settings, which have not changed. Is there something we should do to fix this? Or is this a known bug in the system or a new update that this no longer happens? Read More
Advice/Guidelines for launching new modern site to replace company intranet?
Hi everyone!
I’m looking for any advice, guidelines, best practices, experiences, etc. on updating our company intranet. When I started working here 7 years ago, we were using classic SharePoint and our company Intranet home page/site was built in a classic site. The path for this site is also our tenant: companyname.sharepoint.com.
I want to launch a brand-new modern site I have created and want to reuse/point the tenant name/original intranet site URL to show this new modern site. And I honestly don’t know how to go about doing this so I don’t break a bunch of stuff. I self-taught myself so much as it pertains to SharePoint that I just want to make sure that I’m doing this correctly.
Is it as simple as renaming the current site with something different and then taking the current name and giving it to the new, modern site? I know a ton of our users have bookmarks saved and I don’t want to break any of those.
Any help/advice/guidance you can provide is most appreciated.
Thanks,
Beth
Hi everyone! I’m looking for any advice, guidelines, best practices, experiences, etc. on updating our company intranet. When I started working here 7 years ago, we were using classic SharePoint and our company Intranet home page/site was built in a classic site. The path for this site is also our tenant: companyname.sharepoint.com. I want to launch a brand-new modern site I have created and want to reuse/point the tenant name/original intranet site URL to show this new modern site. And I honestly don’t know how to go about doing this so I don’t break a bunch of stuff. I self-taught myself so much as it pertains to SharePoint that I just want to make sure that I’m doing this correctly. Is it as simple as renaming the current site with something different and then taking the current name and giving it to the new, modern site? I know a ton of our users have bookmarks saved and I don’t want to break any of those. Any help/advice/guidance you can provide is most appreciated. Thanks,Beth Read More
Using Files with Copilot
I am relatively new to the Microsoft 365 license for Copilot but I have quite a bit of training on ChatGPT 4, which, I believe, is the engine behind Copilot. When I tried to upload a file by clicking on the paperclip icon, I got a very limited list of files to choose from, rather than the ability to browse for any file that I had. After playing around for a while and opening, closing and moving some files, the file I wanted finally appeared on the list. This is very limiting.
As I said, I am new at this version of Copilot and it may just be a setting that I missed and need to adjust. Is anyone else experiencing the same?
I am relatively new to the Microsoft 365 license for Copilot but I have quite a bit of training on ChatGPT 4, which, I believe, is the engine behind Copilot. When I tried to upload a file by clicking on the paperclip icon, I got a very limited list of files to choose from, rather than the ability to browse for any file that I had. After playing around for a while and opening, closing and moving some files, the file I wanted finally appeared on the list. This is very limiting.As I said, I am new at this version of Copilot and it may just be a setting that I missed and need to adjust. Is anyone else experiencing the same? Read More
New Blog | Introducing Our New Whitepaper: GDPR & Generative AI – A Guide for Customers
By Manny Sahota
We are excited to share some great news with our commercial customers! Today, we’re launching a new whitepaper, GDPR & Generative AI – A Guide for Customers. This guide is specifically tailored for customers subject to GDPR who want to understand and harness the full potential of Microsoft’s generative AI solutions and complements our earlier whitepaper specifically focusing on public sector customers, GDPR & Generative AI – A Guide for the Public Sector
Leading with Innovation, Compliance, and Trust
At Microsoft, we’re all about bringing you cutting-edge AI solutions while ensuring compliance and building trust. These whitepapers are a testament to that commitment. They echo the core messages from our Chief Privacy Officer, Julie Brill, about Microsoft’s privacy commitments in this exciting AI era.
Empowering Your Business with GDPR Compliance
Our new whitepaper is designed to help our customers navigate the complex world of GDPR while making the most of Microsoft’s generative AI solutions. Here’s a sneak peek at what’s inside:
Understanding GDPR Obligations: Dive deep into the GDPR requirements that our customers need to keep in mind when using AI services like Copilot for Microsoft 365 and Azure OpenAI Service.
Support and Resources: Learn about the comprehensive support Microsoft offers, including transparency, data subject rights, security measures, and more.
Read the full post here: Introducing Our New Whitepaper: GDPR & Generative AI – A Guide for Customers
By Manny Sahota
We are excited to share some great news with our commercial customers! Today, we’re launching a new whitepaper, GDPR & Generative AI – A Guide for Customers. This guide is specifically tailored for customers subject to GDPR who want to understand and harness the full potential of Microsoft’s generative AI solutions and complements our earlier whitepaper specifically focusing on public sector customers, GDPR & Generative AI – A Guide for the Public Sector
Leading with Innovation, Compliance, and Trust
At Microsoft, we’re all about bringing you cutting-edge AI solutions while ensuring compliance and building trust. These whitepapers are a testament to that commitment. They echo the core messages from our Chief Privacy Officer, Julie Brill, about Microsoft’s privacy commitments in this exciting AI era.
Empowering Your Business with GDPR Compliance
Our new whitepaper is designed to help our customers navigate the complex world of GDPR while making the most of Microsoft’s generative AI solutions. Here’s a sneak peek at what’s inside:
Understanding GDPR Obligations: Dive deep into the GDPR requirements that our customers need to keep in mind when using AI services like Copilot for Microsoft 365 and Azure OpenAI Service.
Support and Resources: Learn about the comprehensive support Microsoft offers, including transparency, data subject rights, security measures, and more.
Read the full post here: Introducing Our New Whitepaper: GDPR & Generative AI – A Guide for Customers Read More
Generate customizable stickers with Sticker Creator in Microsoft Designer
Hi Microsoft 365 Insiders!
Introducing Sticker Creator in Microsoft Designer. This new web-based tool helps you add some fun to your favorite messaging app, documents, invitations, posters, presentations, or on your social media posts. Learn all about it in our latest blog post: Generate customizable stickers with Sticker Creator in Microsoft
Thanks,
Perry
Perry Sjogren
Microsoft 365 Insider Social Media Manager
Become a Microsoft 365 Insider and gain exclusive access to new features and help shape the future of Microsoft 365. Join Now: Windows | Mac | iOS | Android
Hi Microsoft 365 Insiders!
Introducing Sticker Creator in Microsoft Designer. This new web-based tool helps you add some fun to your favorite messaging app, documents, invitations, posters, presentations, or on your social media posts. Learn all about it in our latest blog post: Generate customizable stickers with Sticker Creator in Microsoft
Thanks,
Perry
Perry Sjogren
Microsoft 365 Insider Social Media Manager
Become a Microsoft 365 Insider and gain exclusive access to new features and help shape the future of Microsoft 365. Join Now: Windows | Mac | iOS | Android Read More
Interactivity
I have successfully added some Interactivity Call Outs to a video. I was able to add them and customize them. When I download the video, the call outs were not in the video. How do I embed them so that they are not lost when downloaded.
I have successfully added some Interactivity Call Outs to a video. I was able to add them and customize them. When I download the video, the call outs were not in the video. How do I embed them so that they are not lost when downloaded. Read More
Why does the “interpolate” function have a large normalized volatility?
When using the "interpolate" function in the Financial Toolbox to simulate a Brown Bridge, the interpolated values have a much larger normalized volatility than the original time series. Ideally, the interpolated annualized daily return volatility should be similar to the original annual volatility. Why does the "interpolate" function have such a large normalized volatility?When using the "interpolate" function in the Financial Toolbox to simulate a Brown Bridge, the interpolated values have a much larger normalized volatility than the original time series. Ideally, the interpolated annualized daily return volatility should be similar to the original annual volatility. Why does the "interpolate" function have such a large normalized volatility? When using the "interpolate" function in the Financial Toolbox to simulate a Brown Bridge, the interpolated values have a much larger normalized volatility than the original time series. Ideally, the interpolated annualized daily return volatility should be similar to the original annual volatility. Why does the "interpolate" function have such a large normalized volatility? interpolate, "brown, bridge", volatility, brown, brownian, interpolation MATLAB Answers — New Questions
How to solve a fourth order differential equation (boundary value problem) with constraint?
Hi everyone,
I was trying to solve the following fourth order differential equation: A·x-B·x·w””(x)=w(x) where A and B are constants,and 0<x<l, and the boundary conditions are w(0) = 0, w”(l) = 0, w”'(l)=0, w””(0)=0. I solved the equation with bvp4c.
Now I want to add constratin to w””(x), i.e., 0<w””(x)<C, where C is a constant.
How can I add this constraint?
Thanks,
JZHi everyone,
I was trying to solve the following fourth order differential equation: A·x-B·x·w””(x)=w(x) where A and B are constants,and 0<x<l, and the boundary conditions are w(0) = 0, w”(l) = 0, w”'(l)=0, w””(0)=0. I solved the equation with bvp4c.
Now I want to add constratin to w””(x), i.e., 0<w””(x)<C, where C is a constant.
How can I add this constraint?
Thanks,
JZ Hi everyone,
I was trying to solve the following fourth order differential equation: A·x-B·x·w””(x)=w(x) where A and B are constants,and 0<x<l, and the boundary conditions are w(0) = 0, w”(l) = 0, w”'(l)=0, w””(0)=0. I solved the equation with bvp4c.
Now I want to add constratin to w””(x), i.e., 0<w””(x)<C, where C is a constant.
How can I add this constraint?
Thanks,
JZ differential equations MATLAB Answers — New Questions