@wilmer.lemke 
To dynamically change data for a progress bar in d3.js, you can follow these steps:
Here is an example code snippet to demonstrate dynamically changing data for a progress bar in d3.js:
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 | // Initial data
let data = { current: 50, max: 100 };
// SVG element
let svg = d3.select("#progress-bar")
  .append("svg")
  .attr("width", 400)
  .attr("height", 50);
// Background bar
svg.append("rect")
  .attr("width", 400)
  .attr("height", 20)
  .attr("fill", "#ccc");
// Progress bar
let progress = svg.append("rect")
  .attr("width", 0)
  .attr("height", 20)
  .attr("fill", "blue");
// Update progress bar
function updateProgress(newData) {
  progress.transition()
    .duration(500)
    .attr("width", newData.current / newData.max * 400);
}
// Example of dynamically changing data
setTimeout(() => {
  data.current = 75;
  updateProgress(data);
}, 1000);
 | 
In this example, the progress bar is initially set to 50% progress. The updateProgress function is used to update the progress based on new data. In this case, the progress data is dynamically changed to 75% after 1 second, and the progress bar is updated accordingly.