从一系列值数组php中选择一个特定的值

I have an array which looks like this: I need to have the array in this format for use later in the script.

//this is only 1 values set there are others that are returned.
    Array
    (
        [DealerName] => Auto Bavaria Midrand MINI
        [CustomersCounted] => 16
        [Satisfied_Y] => 10
        [Satisfied_N] => 6
        [InterviewDate] => 2012-01-13
    )

I have called the array $customerSatisfactionRatings which I loop through.

foreach($customerSatisfactionRatings as $customerSatisfactionRating) {
      $content .= $customerSatisfactionRating';
    }

This returns the correct values into the content variable. What I am interested in is creating a string from the [Satisfied_Y] key.

an example of what I need is $content = '10,5,15,7,8,9,0,3';

I know how to make the string, but not how to extract only the [Satisfied_Y] key. This makes me sad.

I think it will work. Try this,

$satisfyY = array();
foreach($customerSatisfactionRatings as $customerSatisfactionRating) {
      $content .= $customerSatisfactionRating;
      $satisfyY = $customerSatisfactionRating['Satisfied_Y'];
 }

Then implode it to make a string.

$sat_Y = implode(",", $satisfyY);
foreach($customerSatisfactionRatings as $temp)
 if (isset($temp['Satisfied_Y']))
   {
   if (isset($content)) $content.=','.$temp['Satisfied_Y'];
    else $content=$temp['Satisfied_Y'];
   }

You use a mapping function to pull every Satisfied_Y column out of each $customerSatisfactionRatings item and then you join the results together:

$content = join(',', array_map(function($item) {
    return $item['Satisfied_Y'];
}, $customerSatisfactionRatings));

This assumes that each item in $customerSatisfactionRatings is an array as described in your question.

See also: array_map()