Final answer:
To divide an array of integers into two arrays, one for even numbers and one for odd numbers, and to sort and output the array values, you can write the function divideArray() in JavaScript. The function checks each number in the input array and pushes it to the respective evenNums or oddNums array. Afterwards, the function sorts both arrays and outputs the values to the console.
Step-by-step explanation:
To write the divideArray() function in JavaScipt, you can use a for loop to iterate through the input array and check if each number is even or odd. Based on the result, you can push the respective number to the evenNums or oddNums array using the push() method. After that, you can sort both arrays using the sort() method and output the values using console.log(). If there are no even or odd numbers, you can output 'None'.
function divideArray(numbers) {
let evenNums = [];
let oddNums = [];
for (let i = 0; i < numbers.length; i++) {
if (numbers[i] % 2 === 0) {
evenNums.push(numbers[i]);
} else {
oddNums.push(numbers[i]);
}
}
evenNums.sort((a, b) => a - b);
oddNums.sort((a, b) => a - b);
console.log('Even numbers:', evenNums.length === 0 ? 'None' : evenNums.join(' '));
console.log('Odd numbers:', oddNums.length === 0 ? 'None' : oddNums.join(' '));
}
let nums = [4, 2, 9, 1, 8];
divideArray(nums);