I have been working off of this basic pie example to learn about writing pie charts in D3, but while I got the example to work when mimicking their data structure, I wanted to try it out with a JSON data structure that would be more native to how I would structure data for the visualizations. When switching the same data to this new structure I noticed that the black stroke appears and the annotations, but the slices aren't present and the annotation labels are referencing an index and object value.
I believe this is due to the .entries() method that converts it to a key-value data structure, but I'm curious if that is a necessary method to use in order to visualize the data points or if there is a simpler method to utilize the structure I have in place.
Working data structure:
var data = {
        deep: 22.37484390963787,
        light: 62.65183335225337,
        rem: 14.973322738108752
    }
JSON data structure:
var data = [
        { "label": "deep", "value": 22.37484390963787 },
        { "label": "light", "value": 62.65183335225337 },
        { "label": "rem", "value": 14.973322738108752 }
    ]
  var data = [
      { "label": "deep", "value": 22.37484390963787 },
      { "label": "light", "value": 62.65183335225337 },
      { "label": "rem", "value": 14.973322738108752 }
  ]
  // var data = {
  //     deep: 22.37484390963787,
  //     light: 62.65183335225337,
  //     rem: 14.973322738108752
  // }
  console.log(data)
  var width = 480;
  var height = 480;
  var margin = 40;
  var radius = Math.min(width, height) / 2 - margin;
  var svg = d3.select("#my_dataviz")
      .append("svg")
          .attr("width", width)
          .attr("height", height)
      .append("g")
          .attr("transform", "translate(" + width / 2 + "," + height / 2 + ")");
  var color = d3.scaleOrdinal()
      .domain(data)
      .range(["#98abc5", "#8a89a6", "#7b6888"]);
  var pie = d3.pie()
      .value(function(d) { return d.value; });
  var data_ready = pie(d3.entries(data));
  console.log(data_ready);
  var arcGenerator = d3.arc()
      .innerRadius(0)
      .outerRadius(radius);
  svg.selectAll('viz')
      .data(data_ready)
      .enter()
      .append('path')
      .attr('d', arcGenerator)
      .attr('fill', function(d){ return color(d.data.key)})
      .attr("stroke", "black")
      .style("stroke-width", "2px")
      .style("opacity", 0.7);
  svg.selectAll('viz')
      .data(data_ready)
      .enter()
      .append('text')
      .text(function(d){  return d.data.key + ', ' + d.data.value})
      .attr("transform", function(d) { return "translate(" + arcGenerator.centroid(d) + ")";  })
      .style("text-anchor", "middle")
      .style("font-size", 17);<!-- Load d3.js -->
<script src="https://d3js.org/d3.v4.js"></script>
<!-- Create a div where the graph will take place -->
<div id="my_dataviz"></div> 
    