You could do something along these lines:
http://jsfiddle.net/e0mfc1rd/2/
Javascript:
    var data = {
    results: {
        Date_x0020_of_x0020_Review: '2015-06-01T05:00:00Z',
        Name_x0020_of_x0020_Developers: {
            results: [
                {
                    __metadata: {},
                    Title: 'Ankur Shah'
                },
                {
                    __metadata: {},
                    Title: 'Tony Liu'
                },
                {
                    __metadata: {},
                    Title: 'Qiuming Jie'
                }
            ]
        },
        Name_x0020_of_x0020_Reviewers: {
            results: [
                {
                    __metadata: {},
                    Title: 'Mike'
                },
                {
                    __metadata: {},
                    Title: 'John'
                }
            ]
        }
    }
}
// map the key names.
// you could do something more clever here, like just extracting
// the segment after the last underscore using substring or a regex,
// but for this example we'll do a simple map.
var names = {
    'Name_x0020_of_x0020_Reviewers': 'reviewers',
    'Name_x0020_of_x0020_Developers': 'developers'
}
// a variable to hold the result.
var processed = {};
// iterate over each key in data.results
// (e.g. 'Name_x0020_of_x0020_Developers', 'Name_x0020_of_x0020_Reviewers', etc.)
Object.keys(data.results).forEach(function(k) {
    // if the object indexed at that key has a 'results' property that is an array...
    if (Array.isArray((data.results[k] || {}).results)) {
        // pluck the Title attribute from each of those entries into a new array.
        var values = data.results[k].results;
        var titles = values.map(function(v) {
            return v.Title;
        });
        // translate keys like 'Name_x0020_of_x0020_Reviewers'
        // into something more palatable
        var key = names[k] || k;
        // join the titles into a string, separated by a comma
        processed[key] = titles.join(',');
    }
    else if (k.indexOf('Date') === 0) { // key starts with 'Date'
        processed[k] = new Date(data.results[k]);
    }
});
After which the variable 'processed' would contain:
{
    "Date_x0020_of_x0020_Review": "2015-06-01T05:00:00.000Z",
    "developers": "Ankur Shah,Tony Liu,Qiuming Jie",
    "reviewers": "Mike,John"
}