Answer:
new technology
Explanation:
the best answer to me is D
platform as a service
Open Systems Interconnect
infrastructure as a service
Answer:
Data integration
Explanation:
One of the core concepts in IT is data integration. Data integration refers to the process of combining data from various different sources into a single view. This allows the data to become easier to process, and therefore, more useful and actionable. For data integration to take place, it is necessary to have a network of data sources, a master server and clients.
Answer:
data integration
platform as a service
Open Systems Interconnect
infrastructure as a service
Explanation:
All of the above and concept in IT
A: bin( )
B: convert( )
C: digi( )
D: main( )
Answer: A
Explanation:
If you type in the function bin( ), it will convert the decimal number to the binary equivalent. The answer to the question is option A, bin ( ). Hope this helps!
A key step in many sorting algorithms (including selection sort) is swapping the location of two items in an array. Here's a swap function that looks like it might work, but doesn't:
-the code prints out [9, 9, 4] when it should print out [9, 7, 4].
Fix the swap function.
Hint: Work through the code line by line, writing down the values of items in the array after each step. Could you use an extra temporary variable to solve the problem that shows up?
Once implemented, uncomment the Program.assertEqual() at the bottom to verify that the test assertion passes.
the layout for javascript is,
var swap = function(array, firstIndex, secondIndex) {
array[firstIndex] = array[secondIndex];
array[secondIndex] = array[firstIndex];
};
var testArray = [7, 9, 4];
swap(testArray, 0, 1);
println(testArray);
//Program.assertEqual(testArray, [9, 7, 4]);
The problem with the swap function is that it loses the value at the first index, as soon as it gets overwritten by the value at the second index. This happens in the first statement. To fix it, you need a helper variable.
First you're going to "park" the index at the first index in that helper variable, then you can safely overwrite it with the value at the second index. Then finally you can write the parked value to the second index:
var swap = function(array, firstIndex, secondIndex) {
let helper = array[firstIndex];
array[firstIndex] = array[secondIndex];
array[secondIndex] = helper;
};
I hope this makes sense to you.