Answer:
Multiprocessing.
Explanation:
In multiprocessing the system uses two or more processors to do more tasks simultaneously.
The ability of a system to do more than one thing at a time, known as multiprocessing, allows for the concurrent execution of multiple tasks by using multiple processing units or cores.
Explanation:The ability of a system to do more than one thing at a time is known as multiprocessing. Multiprocessing systems have multiple processing units, commonly referred to as cores, which can execute tasks simultaneously. Unlike single-core systems, which can only handle one operation at a time, multiprocessing systems can perform multiple tasks concurrently, improving overall system efficiency and performance.
In the context of computers and operating systems, this capability allows a computer to run different processes at the same time, such as running a web browser while also running a spreadsheet application or virus scan. The operating system manages these processes and allocates processor time in such a way that users experience the tasks as though they are happening simultaneously.
By contrast, multibusing refers to a system where multiple buses allow many devices to connect and communicate with the CPU at the same time, while online processing is processing that is active and connected to a network. On the other hand, batch processing is a method of processing data in which transactions are collected and processed all at once at a particular time.
How to write a Cprogram to print all the prime numbers between 1and n where n is the value supplied by the users.
Answer:
#include <stdio.h>
int main()
{
int i, j, n, prime;
printf("Enter till where we want to find prime number: ");
scanf("%d", &n);
for(i=2; i<=n; i++)
{
prime = 1;
for(j=2; j<=i/2; j++)
{
if(i%j==0)
{
prime = 0;
break;
}
}
if(prime==1)
{
printf("%d, ", i);
}
}
return 0;
Explanation:
A number which is divisible by 1 and itself is called prime number. Here in the program we start by taking number from 1 to n , where n is the last number till which we are required to find prime numbers. Then we start the loop by taking two for loops one for running the numbers from 1 to n and the inner for loop to check whether the number is divisible other than 1 and itself. We take the current number as prime =1. If the number is still not divisible by number other than 1 and itself we consider that number to be prime and print it.
-Give a definition of the critical section problem and explain the purpose of the entry and exit code blocks
Answer: In operating system a code segment which accesses some shared variables or resources one at a time atomically such other no other code or process is accessing that resource or variable at the same time.
Entry section code block allows the access to the shared resource or variable and exit section code signals the termination from access to the shared resource or variable.
Explanation:
Entry and exit section codes needs to check certain properties before allowing the access and removal of access to a particular code segment.
These conditions are:
1. Bounded waiting.
2. Mutual exclusion.
3. checking thread execution status to allows other threads to enter the critical section (CS).
How would a static local variable be useful?
Answer: Static local variable is a variable that is initialized as static only one time inside a function and whenever it is called in that function it will be accessible.
Explanation: Static local variables are very useful variables which are declared as static in a particular function. Static local variable is initialized only one time in a function and whenever the function in which it has been declared ,the value of the variable will be accessible by as many times it has been called in the function in which it is declared.
An abstract method ____.
is any method inthe abstract class
cannot beinherited
has nobody
is found in asubclass and overrides methods in a superclass using the reservedword abstract
Answer:
has no body.
Explanation:
An abstract method is a method which has no body.
It is contained in a class which is marked as abstract.
The implementation of such method is specified in a subclass.
For example:
//abstract class
abstract class myClass{
/* Abstract method */
public abstract void mymethod(int a, int b);
}
//Concrete class extending abstract class
class Concrete extends myClass{
public void mymethod(int a, int b){
return a+b;
}
}
Write the prototype for a function named showValues. It should accept an array of integers and an integer for the array size as arguments. The function should not return a value.
Answer:
void showValues(int [maximum volume],int);
Answer:
void showValues(int * array, int array_size){
int i;
for(i = 0; i < array_size; i++){
printf("%d\n", array[i]);
}
}
Explanation:
I am going to write the prototype of a function as a c code.
array is the array as an argument, and array_size is the argument for the size of the array.
void showValues(int * array, int array_size){
int i;
for(i = 0; i < array_size; i++){
printf("%d\n", array[i]);
}
}
The true or false questions.
If find is run with no -exec option, then find will not take any action on the found files and there is no output to screen.
Answer:
false
Explanation:
-exec option is not mandatory for the find command.
find will still list out the identified files even in the absence of -exec option.
For example:
find . -name test -print
will print out files with the name 'test' in the current directory. Note that there is no exec option in this example.
Same holds true for find with no additional options at all.
For example:
find .
will list out all files in the current directory.
x=10 ;
y= 15;
mystery (x,y);
void Mystery (int one , int two )
{
int temp;
temp = one;
one = one ;
two = temp;
}
3 What are the values ofx and y after thestatements above execute? (Assume that variables are properlydeclared.)
a.
x = 10; y = 10
c.
x = 15; y = 10
b.
x = 10; y = 15
d.
x = 15; y = 15
Answer:
The answer is x=10; y=15;
There is no change in the values of the variables x and y.
Explanation:
The integer variables x and y are initialized to 10 and 15 respectively as given.
x=10 ;
y=15 ;
The values of variables x and y are passed as parameters to another method, as shown.
mystery (x, y);
The mystery method given in the question is used to assign the same value to both the variables. The value of both the variables hold the value of x, i.e., both the variables hold the value of 10.
void Mystery ( int one , int two )
{
// temporary
int temp;
// temp initialized to value of variable one which contains the value of variable x
// temp = x or temp = 10
temp = one;
// one is initialized to the value of itself or value of x
// one = x or one = 10
one = one ;
// temp is assigned value of variable x through variable one
// temp = 10
// y is also assigned value of temp variable
// y = 10
two = temp;
}
As shown in the above steps, the mystery method is used to assign same values to variables one and two.
The values of original variables x and y are not affected since x and y are not utilized or called inside the mystery method.
This type of passing of parameters to a method can be described as passing a copy of the values of the parameters to the method.
Value of variable x is passed into variable one while value of variable y is passed into variable two.
Hence, values of variables one and two can be changed and modified without affecting the values of original variables x and y.
When a function accepts multiple arguments, does it matter in what order the arguments
are passed?
Answer:
yes, it matter in what order the arguments are passed.
Explanation:
when we define the function in the programming, you have to call the function as well.
In the calling function, we passed the arguments.
In the define function, parameters in declare for taking a copy of the arguments.
for example:
int print(int value, double price, char a){
statement;
}
//calling
print(5, 7.8, 'a');
So, in the calling function the order of the argument changed, it gives the compile error.
because 5 is the integer, so you have to store in the int parameter.
print(7.8, 5, 'a'): if we try to do that, 7.8 which is double store in the wrong integer parameter, it gives the wrong output.
similarly, if we define the array in the parameter and pass the integer in the argument on the same location. it gives the compile error.
Therefore, the location must be the same.
You can print your report from the _______ tab.
A. Create
B. File
C. Add-ins
D. Arrange
Answer:
B. File
Explanation:
You can print your report from the file tab.
Write a program that takes two ints as input from the keyboard, representing the number of hits and the number of at bats for a batter. Then calculate the batter’s hitting percentage and check if the hitting percentage is above .300. If it is, output that the player is eligible for the All Stars Game; otherwise, output that the player is not eligible. Maintain floating point precision when calculating the hitting percentage.
Answer:
Hi!
// First you have to initialize the variables.
int hits = 0;
int atbats = 0;
float percentaje = 0;
function eligible() {
hits = inputHits(); // Function that input the hits.
atbats = inputAtBats(); // Function that input the at bats.
percentaje = hits/atbats; // Now, you can calculate the percentaje.
if( percentaje > 0.300) { //If percentaje if greater than .300 will print Eligible for the All Stars Game.
print('Eligible for the All Stars Game.');
} else { //Otherwise will print Not elegible.
print('Not elegible.');
}
}
}
Explanation:
What are 2 main differences betweenarrays andstructs?
Answer:
The two main differences between arrays and structures are as following according to me :-
1. Array is collection of data elements of same data type while a structure is collection of variables of different data types.
2.Array is a primitive data type while structure is a user defined data type.
There are other differences also which are as following:-
1. The size of array is fixed while the size of structure is not fixed as structure can contain different variables of different data types.
2.array is declared as following :-
int array [100];
where 100 is the size of the array means it can store up to 100 integer values.
struct class{
int roll_number;
char *name;
int admission_no;
};
3.Traversing and searching in an array is easy and fast while it is difficult and slow in structures.
. Consider a logical-address space of eight pages of 1024words each, mapped onto a physical memory of 32 frames.
a. How many bits are in the logical address?
b. How many bits are in the physical address?
Answer:
a)13 bits
b)15 bits
Explanation:
a)
It takes 10 bits to address within a 1024-word page because 1024= 2^10.
Since the logical address space is 8 = 2^3 pages,
We will add 10 bits for 1024 words
10 + 3 = 13 bits must be the logical addresses.
b)
There are 32 = 2^5 physical pages.
We will add 10 bits for 1024 words
Similarly, physical addresses are 5 + 10 = 15 bits long .
Using static arrays, depending on the number of servers specified by the user, a list of servers is created during program execution.
True
False
Answer:
False
Explanation:
Static arrays are stored on the stack , having fixed size and scope within functions.
Example-
int arr[10];
Static arrays can't update the values given by the user at the time of execution, they are initialized with some default values.So,we can't create list of servers at the time of program execution.
But we can create list of servers using Dynamic arrays, because size is not fixed as it stores in heap and update at the time of execution.
Example-
int* arr = new int[10];
delete[] arr;
How to find IPaddress for DSL modem
Explanation:
The DSL modem has it's own IP address. We can use the windows command prompt tool to find the IP address for the DSL modem.
Below are the steps to find IP address for DSL modem:-
1. At first we need to hit the Windows Start button
2. Then type "cmd" in the Search box and press the Enter key to open the command prompt.
3. At the command prompt, type "ipconfig /all" and press the Enter key to run the command.
4. Focus on the Default Gateway value. The IP address mentioned for the Default Gateway is actually the IP address for the DSL modem.
In half-duplex communication between two hosts, both hosts can transmit, and both hosts can receive, but hosts cannot transmit and receive simultaneously.
a) True b) False
Answer:
True: In half Duplex communication both of the hosts can transmit and receive. But can not do both job simultaneously.
when one host is sending other one can receive but can not transmit. And the receiving host waits for the transmitting host to finish transmitting, before it starts transmitting from it's end.
When one host is receiving other one can transmit.
For example- The communication system of army people. when one person talks the person in the other end has to wait till he finishes. They can not talk simultaneously.
Explanation:
Where in full duplex the both hosts can transmit and receive simultaneously, in half duplex system that's not possible.
When a function simply receives copies of the values of the arguments and must determine where to store these values before it does anything else, this is known as a ____.
A) pass by value
B) pass by reference
C) stub
D) function declarator
Answer:
pass by value
Explanation:
Function is a group of statement which perform a task when it calls.
syntax:
type name(argument_1, argument_2,....)
{
statements;
}
when the value is passed to function and then calling the function. it actually the copy of the value is passed and when the function perform the task and change the value passed it actually make changes i the copy not original value. This is called pass by value.
. Write a statement that throws an IllgalArgumentException with the error message Argument cannot be negative.
Answer:
public class PostAccount
{
public void withdraw(float savings)
{
if (savings >=0 )
{
IllegalArgumentException exception
= new IllegalArgumentException("Savings cannot be negative");
throw exception;
}
balance = savings - withdraw;
}
}
Explanation:
IllgalArgumentException is a type of NumberFormatException of runtime exception. Here in the program we have created an object of IllgalArgumentException class and after that we have thrown the error to show the condition if it does not satisfy the if condition.
What is the advantage of breaking your application’s code into several small procedures?
Answer: For better code management and modularity
Explanation:
An application consist several lines of code so when we break an entire code into several small procedures it becomes easy to maintain and look for errors while debugging. This process also is part of good code writing and hence easy to manage our code during testing and debugging phases of application development.
The _______ controls the action of the algorithm. a. user b. plain text c. cipher text d. key
The _______ controls the action of the algorithm.
d. key
Why does a satellite requires two bridges?
Two bridges are being used in the satellite to avoid the delay in the communication of packets/Frames between the sites.
Explanation:
To avoid the delay in the communication of packets/Frames between the sites two bridges are being used. Two Ethernet connections can be connected using the bridge. NIC’s are not there in the repeaters whereas the bridge has two of them which make the bridge different than the repeater. On one of the side in the bridge process of addressing to the node is being done and other ends take care of communicating the packets.
What does the following function return? double compute speed(double distance); A. a double B. distance C. an integer D. nothing
Answer:
A. a double
Explanation:
The syntax of the function is:
type name( argument_1, argument_1,...... )
{
statement;
}
In the above syntax "type" define the return type of the function.
for example:
int count( int n);
so, it return the integer. Because the return type is 'int'.
In the question,
double compute speed(double distance);
Here, the return type is double. So, it return double.
Why we called COBOL as a professional language and not ataught language.(
Answer:
COBOL(Common Business-Oriented Language)
COBOL was designed in industries such as finance and human resources for business computer programs. COBOL uses English syntax which make it easier for ordinary business users to understand computer programming languages.
COBOL is used to develop applications for businesses. We can say it is not a taught language because we don't learn it as teaching tool ,we use it in practical applications.
Convert the following do-while loop to a while loop: char sure; do { cout << "Are you sure you want to quit? "; cin >> sure; }while (sure != 'Y' && sure != 'N');
Answer:
char sure;
cout << "Are you sure you want to quit? ";
cin >> sure;
while (sure != 'Y' && sure != 'N'){
cout << "Are you sure you want to quit? ";
cin >> sure;
}
Explanation:
The loop is used in the programming for executing the part of code or statement again and again until the condition is not false.
do-while is the loop statement but it has a special property, it prints the statement first then checks the condition.
So, the loop executes the statement once, if the condition is false in the starting.
In the other loops, condition checks first and then execute the statement accordingly.
To change the do-while to while, we write the statement once outside of the loop in the starting then execute the loop and put the same statement inside the loop and it runs again until the condition true.
After the above change, while loop works the same as do-while.
True/False: When you make a function call, the order of the arguments you send does not matter as long as the number of arguments matches the number of parameters the function has. True False
Answer:
False
Explanation:
The order of arguments sent matters because what if you were trying to assign a int parameter as string, moreover there is one to one mapping and thus the results computed by the function will be wrong too. The order may cause a bug in the functionality (when the wrong value is assigned to the wrongly selected parameter due to alteration in order), cause run time errors ( when the data type of parameter and argument does not match due to alteration in order )
Create a Java static method named getAverageOfFours that takes an array of integers as a parameter and returns the average of the values in the array that are evenly divisible by 4. Your method must work for an int array of any size. Example: If the array contains [10, 48, 16, 99, 84, 85], the method would return 49.33333.
Answer:
public class average{
public static float getAverageOfFours(int[] arr){
int n = arr.length;
float sum = 0;
int count=0;
for(int i=0;i<n;i++){
if(arr[i]%4==0){
sum = sum+arr[i];
count++;
}
}
float avg = sum/count;
return avg;
}
public static void main(String []args){
int[] array = {10, 48, 16, 99, 84, 85};
float result = getAverageOfFours(array);
System.out.println("The average is "+result);
}
}
Explanation:
Create the function with one parameter and return type is float.
Declare the variable and store the size of array. Take a for loop for traversing in the array and and check the element is divisible by 4 or not by using if statement. If condition true take the sum and increment the count.
This process continue until the condition is true.
finally take the average and return it.
Create the main function for calling the function with pass the array as argument and also define the array.
After that print the result return by the function.
Do mouse cable connect to a PS/2 or USB port?
Answer:
USB port
Explanation:
A mouse cable connects to a USB port.
You are able to remove it from your computer if needed and put it into a different computer or device.
List two advantages and disadvantages of having internationalstandards for network protocols?
Answer:
International standard is the process of standardizing the product and providing the product with same physical quantities and with high international level.
Two advantages and disadvantages of having international standards for network protocols are:
The main advantage of having the international standard for network protocol is that communication become easier as, all the computers are connected together. Easy to maintain and installation by using the same standard. Once a standard adopt worldwide, it is difficult to modify it if there is an issues are identified.Every standard has its limitation so that is why there is less focus on developing new technology.When a company has international standards for network protocols, this means that the company applies the same rules and regulations to all network protocols, regardless of geographical location. There are several advantages and disadvantages of this method:
Advantages:
This allows the company to have a better control over its products, as it is easier to determine whether a network protocol has deviated from standards.
The international standards for network protocols allows for unity, which enables easier and more efficient communication.
Disadvantages:
It is difficult to implement a new international standard worldwide. Similarly, once successfully implemented, this is difficult to modify.
It is difficult to design the right international standard, as this has to be viable in a great variety of different situations and contexts.
Provide two examples from everyday life which apply sequential, conditional, and iterative operations.
Answer:
Explanation:
Great question, in everyday life we have hundreds of tasks that we complete daily which are one of these types of operations or various at the same time, For Example,
In the morning we wake up and make breakfast. The process to make eggs is a specific sequence. First you heat the pan. Then you add the eggs, next you condiment the eggs. Lastly, you place the eggs in a plate. This whole process is a sequential set of tasks.
Later on in the day you go to the car. If the car has gas you take the car to work. Otherwise you take the bus. This is a conditional event that depends of a certain variable to be present.
Yet Both of these events are iterative operations since they are repeated daily.
I hope this answered your question. If you have any more questions feel free to ask away at Brainly.
Examples of sequential, conditional, and iterative operations in everyday life include following a recipe (sequential), a thermostat regulating temperature (conditional), and a washing machine going through its cycles (iterative).
Explanation:Sequential, conditional, and iterative operations are fundamental concepts in computer programming and can be seen in everyday tasks. For instance, a recipe follows a sequential process, where one follows steps in a specific order, such as measuring ingredients, mixing them, and baking at a specific temperature for a set time. Conditional operations are seen in thermostats, which turn on heating or cooling systems if the temperature goes above or below certain points. Iteratively, a washing machine repeats cycles of filling, washing, and spinning until the clothes are clean. These examples reflect the application of programming logic in real-world scenarios and are instances where solving problems necessitates identifying knowns and unknowns, and ensuring answers are reasonable.
The MOVZX instruction can be used only with_____________ integers.
Answer: The MOVZX instruction can be used only with unsigned integers.
Explanation:
The MOVZX instruction allows to move a value from a smaller source to larger source ,by the method of padding it focuses on the most significant bits of the targets with zeroes . The destination for MOVZX should be a register only. MOVZX cannot be used with any other type of integer such as signed integer etc except for that it can be used with unsigned integers only.
What is the binary system?
Answer:
In mathematics and digital electronics, a binary number is a number expressed in the base-2 numeral system or binary numeral system, which uses only two symbols: typically "0" and "1". The base-2 numeral system is a positional notation with a radix of 2. Each digit is referred to as a bit.
Answer:
The binary number system is an alternative to the decimal (10-base) number system that we use every day. Binary numbers are important because using them instead of the decimal system simplifies the design of computers and related technologies. ... But if the second digit is 1, then it represents the number 2.
Explanation: