Locker doors There are n lockers in a hallway, numbered sequentially from 1 to n. Initially, all the locker doors are closed. You make n passes by the lockers, each time starting with locker #1. On the ith pass, i = 1, 2,...,n, you toggle the door of every ith locker: if the door is closed, you open it; if it is open, you close it. After the last pass, which locker doors are open and which are closed? How many of them are open?

Answers

Answer 1

Answer:

// here is code in C++

#include <bits/stdc++.h>

using namespace std;

// main function

int main()

{

   // variables

   int n,no_open=0;

   cout<<"enter the number of lockers:";

   // read the number of lockers

   cin>>n;

   // initialize all lockers with 0, 0 for locked and 1 for open

   int lock[n]={};

   // toggle the locks

   // in each pass toggle every ith lock

   // if open close it and vice versa

   for(int i=1;i<=n;i++)

   {

       for(int a=0;a<n;a++)

       {

           if((a+1)%i==0)

           {

               if(lock[a]==0)

               lock[a]=1;

               else if(lock[a]==1)

               lock[a]=0;

           }

       }

   }

   cout<<"After last pass status of all locks:"<<endl;

   // print the status of all locks

   for(int x=0;x<n;x++)

   {

       if(lock[x]==0)

       {

           cout<<"lock "<<x+1<<" is close."<<endl;

       }

       else if(lock[x]==1)

       {

           cout<<"lock "<<x+1<<" is open."<<endl;

           // count the open locks

           no_open++;

       }

   }

   // print the open locks

   cout<<"total open locks are :"<<no_open<<endl;

return 0;

}

Explanation:

First read the number of lockers from user.Create an array of size n, and make all the locks closed.Then run a for loop to toggle locks.In pass i, toggle every ith lock.If lock is open then close it and vice versa.After the last pass print the status of each lock and print count of open locks.

Output:

enter the number of lockers:9

After last pass status of all locks:

lock 1 is open.

lock 2 is close.

lock 3 is close.

lock 4 is open.

lock 5 is close.

lock 6 is close.

lock 7 is close.

lock 8 is close.

lock 9 is open.

total open locks are :3


Related Questions

Write a function that receives an integer list from STL and returns the sum of even numbers in the list (return zero if no even number is in the list)

Answers

Answer:

int sumeven(int lis[],int n)

{

   int sum_e=0;//integer variable to store the sum.

   for(int i=0;i<n;i++)

       {

           if(lis[i]%2 == 0)//if the number is even adding to sum_e.

           sum_e=sum_e+i;

       }

   return sum_e;//retuning the sum.

   

}

Explanation:

The above written function is in C++.This function find the sum of even numbers in the list provided.It loops over the array and if the number is even adds to the variable sum_e finally return sum_e which having the sum of even numbers now.

Write a C++ program that stores the integers 50 and 100 in variables and stores the sum of these two in a variable named total. Display the total on the screen.

Answers

Answer:

Following are the program in c++

#include <iostream> // header file

using namespace std; // namespace

int main() // main function

{

int a=50,b=100,total; // variable declaration

total=a+b; // sum of the two variable a and b

cout<<"The total is:"<<total; // display total

return 0;

}

Output:The total is:150

Explanation:

In this program we have declared two variable i.e "a" and "b" of int type which store the value 50 and 10 respectively.After that we adding these two variable and store the sum in total variable finally display the total

The IllegalArgumentException class extends the RuntimeException class, and is therefore:

a.) a checked exception class b.) an unchecked exception class c.) never used directly d.) None of these

Answers

Answer:

b.) an unchecked exception class

Explanation:

The IllegalArgumentException is a subclass of the RuntimeException class. As such it represents an unchecked exception. An unchecked exception is one which need not necessarily be thrown or caught within the method body. In contract, a checked exception (e.g., IOExeption ) needs to be declared in either the throws clause or needs to be handled in a try-catch block as part of the method.

CRM systems provide an organization with an important element: all employees of the company who directly or indirectly serve a customer are "____."
in the same category
in the same department
in the same division
on the same page

Answers

Answer: On the same page

Explanation:

 The CRM is basically stand for the customer relationship management that are design to support all the relationship with the customers. It basically analysis the data about the customers to improve the relationship and growth in the organization.

All the employees in the organization are directly and indirectly server the customers are basically o the Same page by the individual computers.

The CRM approach are basically compile the given data from the different communication source such as company website, email and telephone.

 

Write a recursive function using pseudocode or C/C++.

Answers

Answer:

long fact(int n)

{

   if(n<=1)//base case

   return 1;  

   long p=fact(n-1);//recursive call.

   return n*p;//returning the factorial.

}

Explanation:

Above written function is written in C++ language.It is a recursive function to find the factorial of the function.

If we enter a number  equal to  or  less than  1  then the function returns 1. Then the recursive call  is made  and it is stored  in the long  variable  p and  the result is returned as n*p.

. The __________ logical operator works best when testing a number to determine if it

is outside a range.

Answers

Answer:

The OR logical operator works best when testing a number to determine if it  is outside a range

Explanation:

The answer to this statement is:

The OR logical operator works best when testing a number to determine if it  is outside a range

The concept of logical operators is simple. They allow a program to make a decision based on multiple conditions

The AND (&&) operator is used to determine whether both operands or conditions are true

The NOT (!) operator is used to convert true values to false and false values to true. In other words, it inverts a value

The OR ( || ) operator is used to determine whether either of the conditions is true. If the first operand of the || operator evaluates to true, the second operand will not be evaluated.

. Which of the following is a command in MySQL for creating a database called 'game_data'?
(a) INSERT DATABASE game_data;
(b) CREATE DATABASE game_data;
(c) MAKE DATABASE game_data;
(d) NEW DATABASE game_data;

Answers

Answer:

The correct option for the following question is option(b) i.e CREATE DATABASE game_data;

Explanation:

The CREATE  command is used to create the database in MySQL .The syntax for creating a database is given as  

Create database database name ;

Here database name is game_data

So the query is CREATE DATABASE game_data;

Insert command is used for inserting the value into database not for creating the database .so option(a) is wrong .

MAKE and NEW  are not any command so these both the option are wrong.

Therefore the correct answer is option(b);

Examine the class definition. How many members does it contain?

class clockType
{
public:
void setTime(int, int, int);
void getTime() const;
void printTime() const;
bool equalTime(const clockType&) const;
private:
int hr;
int min;
int sec;
};
(Points : 5) 7
3
4
None of the above

Answers

Answer:

7

Explanation:

The class clockType consists of three member variables marked as private:

int hr; int min; int sec;

It also contains four public member functions:

void setTime(int, int, int); void getTime() const; void printTime() const; bool equalTime(const clockType&) const;

So in total it contains seven members. The member variables constitute attributes or state of the object while the member functions represent possible operations on the object.

What is a relationship? A one-to-many relationship

Answers

Answer:

In the database, a relationship is the situation where one foreign key table are basically get references from the other primary key table.

The relationship basically allow relational database to splitting and storing the data into different tables.

One to many relationship is one of the type of the relationship. The one to many relationship is basically define as when the record in the table are associate with the one and more records in the another table.

Write a program which asks the user his/ her last name, stores it in a variable called lname, then asks What is your age? and stores it in a variable called age. After this, the program displays a userid, for example as follows: What is your last name? Jones What is your age? 20 Your user id is: Jones20

Answers

Answer:

// program in C++.

#include <bits/stdc++.h>

using namespace std;

// main function

int main()

{

   // variables

   int age;

   string lname;

   cout<<"Enter your last name:";

   // read last name

   cin>>lname;

   cout<<"Enter your age:";

   // read age

   cin>>age;

  // print user id

   cout<<"Your user id is: "<<lname<<" "<<age<<endl;

return 0;

}

Explanation:

Read last name from user and assign it to variable "lname".Then read age from user and assign it to variable "age".After this print the user id as last name followed by age.

Output:

Enter your last name:singh

Enter your age:24

Your user id is: singh 24

An instance of an object is (Points : 2) a block of COBOL code
one occurrence of the object
very small
a large number of input records

Answers

Answer: One occurrence of the object

Explanation:

 The instance of the object is the one occurrence of an object in the given class. The common statement of an object with respect to the instance means that there is single occurrence of an object.

When the process run at each time it is known as instance of program given specific values and variables. An instance of the object is also known as class instance.

It is basically defined as specific realization in an object and also the object varies in different number of the ways in the object oriented programming (OOPs).

What is the difference between a class and an object?

Answers

Explanation:

The difference between a class and an object is very simple a class is a template for objects.A class contains objects,methods,constructors,destructors. While an object is a member  of the class or an instance of the class. for ex:-

#include<iostream>

using namespace std;

class car

{

    public:

  string color;

  int numgears;

  int engine capacity_cc;

  bool ispetrol;

car(string color,int numgears,int engine capacity_cc,bool ispetrol)

{

  this->color=color;

  this->numgears=numgears;

  this->capacity_cc=capacity_cc;

  this->ispetrol=ispetrol;

}

};

int main()

{

car volvo = new car("red",6,2500,false);

return 0;

}

In the example we have class car and it's object is volvo.

Final answer:

In object-oriented programming, a class is a blueprint for creating objects that share similar properties and behaviors. An object, on the other hand, is an instance or a specific occurrence of that class. It represents a real-world entity and holds the values for the attributes defined in the class.

Explanation:

In object-oriented programming, a class is a blueprint for creating objects (instances) that share similar properties and behaviors. It defines the attributes (data) and methods (functions) that objects of that class will have. A class is like a template or a cookie cutter, while an object is an instance or a specific occurrence of that class. It represents a real-world entity and holds the values for the attributes defined in the class.

Let's take a car as an example. The class for a car would define its properties, such as color, brand, and year, as well as its behaviors, such as accelerating, braking, and turning. An object of this car class would be a specific car, like a red Toyota Camry from 2020, which has its unique values for the properties defined in the class.

What is the difference between frontend and backend web development?

Answers

Answer:

 Front- end web development:

  The front end web development is basically focused on the client side and it manage the web designing of the web browser.

 It basically responsible for analyzing the code, designing and debugging various types of web applications. The front end developers basically design the architecture of the site.

 The front end refers in the web development what the users actually see first in the web browser.  

Back- end web development:

In back end web development the code is basically run in the server opposed the client. The back end developer are not basically understand the programming and coding language. It only deals with the outside architecture of the web applications.  

It is usually divided into three parts that is:  

ServerApplication Database

Use the find command to display all files owned by the user guru

Answers

Answer:

find * -user guru

Explanation:

find is the command to search in files and the flag -user allow search by the owner of the file

the symbol * is a regular expression that means all the files

Example

find * -user guru

find all the files owned by the user guru

Write a program that has a while loop to print out the first five multiples of 15, 43, and 273 between the numbers of 3168 and 376020. Put each of the three sets of multiples on a new line.

Answers

Answer:

#include <iostream>

using namespace std;

void printmultiples(int n) //function to print first five multiples between 3168 and 376020

{

   int a =3168,c=1;

   cout<<"First five multiples of "<<n<<" are : ";

   while(a%n!=0 && a<=376020) //finding first mutiple of n after 3168.

   {

       a++;

   }

   while(c<6)//printing multiples.

   {

       cout<<a<<" ";

       a+=n;

       c++;

   }

   cout<<endl;

}

int main() {

   int t,n;

   cin>>t;//How many times you want to check.

   while(t--)

   {

       cin>>n;

       printmultiples(n);//function call..

   }

return 0;

}

Input:-

3

15

43

273

Output:-

First five multiples of 15 are : 3180 3195 3210 3225 3240  

First five multiples of 43 are : 3182 3225 3268 3311 3354  

First five multiples of 273 are : 3276 3549 3822 4095 4368

Explanation:

I have used a function to find the first five multiples of the of the numbers.The program can find the first five multiples of any integer between 3168 and 376020.In the function I have used while loop.First while loop is to find the first multiple of the integer n passed as an argument in the function.Then the next loop prints the first five multiples by just adding n to the first multiple.

In the main function t is for the number of times you want to print the multiples.In our case it is 3 Then input the integers whose multiples you want to find.

Define and implement a method that takes a string array as a parameter and returns the length of the shortest and the longest strings in the array

Answers

Answer:

#HERE IS CODE IN PYTHON

#function to find length of shortest and longest string in the array

def fun(list2):

   #find length of shortest string

   mn=len(min(list2))

   #find length of longest string

   mx=len(max(list2))

   #return both the value

   return mn,mx

#array of strings

list2 = ['Ford', 'Volvo', 'BMW', 'MARUTI','TATA']

# call the function

mn,mx=fun(list2)

#print the result

print("shortest length is:",mn)

print("longest length is:",mx)

Explanation:

Create an array of strings.Call the function fun() with array as parameter. Here min() function will find the minimum string among all the strings of array and then len() function will find its length and assign to "mn". Similarly max() will find the largest string and then len() will find its length and assign to "mx". Function fun() will return "mn" & "mx".Then print the length of shortest and longest string.

Output:

shortest length is: 3

longest length is: 5

Final answer:

The problem involves writing a Java method to find the lengths of the shortest and longest strings in an array. The method iterates through each string to update and find the minimum and maximum lengths. It returns these lengths as an integer array.

Explanation:

To tackle the problem of finding the lengths of the shortest and longest strings in an array, we'll use a programming approach. Let's assume we are using Java for this solution. The method will iterate through the array, comparing the lengths of each string to find the minimum and maximum lengths.

Here is a simple Java method that accomplishes this:

public static int[] findShortestAndLongestStringLen(String[] array) {
   if (array == null || array.length == 0) return new int[] {-1, -1}; // Handle empty or null array    
   int minLength = Integer.MAX_VALUE;
   int maxLength = Integer.MIN_VALUE;
   for (String str : array) {
       if (str.length() < minLength) {
           minLength = str.length();
       }
       if (str.length() > maxLength) {
           maxLength = str.length();
       }
   }
   return new int[] {minLength, maxLength};
}

This method initializes two variables, minLength and maxLength, with the maximum and minimum values an integer can have, respectively. It iterates through each string in the array, updating these values based on the length of each string. Finally, it returns an array of two integers: the shortest length found (minLength) and the longest (maxLength).

supppose we already have a list called words, containing all the words(i.e., string).Write code that produce a sorted list with all duplicate words removed. For example, if words ==['hello', 'mother','hello','father','here','i','am','hello'], your code would produce the list ['am','father','hello','here','i','mother'].

Answers

Answer:

I will code in Javascript.

//define and initialize both arrays.

var words = ['hello', 'mother','hello','father','here','i','am','hello'];

var sortedList = [];

 

 for ( var i = 0;  i < words.length ; i++ ){  //loop used to go throght the words

   var duplicated = false;  // boolean used for detect duplicates

   for ( var j = i + 1;  j < words.length ; j++ ) {  //loop used to compare with other words

     if( words[i] == words[j] ) {  //if the word is duplicated, duplicated becomes true.

       duplicated = true;

       break;

     }

   }

   if (! duplicated) {  //if at the end of the loop of each word duplicated is false, then the element is pushed into sortedList.

     sortedList.push(words[i]);    

   }

 }

 sortedList.sort(); //when the loop is finished, use the Javascript method to sort an array.

Convert the binary number into a hexadecimal number.

Answers

Explanation:

A binary number is converted to hexadecimal number by making a group of 4 bits from the binary number given.Start making the group from Least Significant Bit (LSB) and start making group of 4 to Most Significant (MSB) or move in outward direction.If the there are less than 4 bits in last group then add corresponding zeroes to the front and find the corresponding hexadecimal number according to the 4 bits.For example:-

for this binary number 100111001011011.

100  1110 0101  1011

There is one bits less in the last group so add 1 zero(0) to it.

0100  1110  0101  1011

  4        E        5        B

100111001011011 = 4E5B

101011.1010

0010   1011  .   1010

  2          B           A

=2B.A

Write an if statement that assigns 100 to x when y is equal to 0.

Answers

Answer:

if(y==0)

{

   x=100;

}

Explanation:

The above written if statement is for assigning 100 to x when the value of y is equal to 0.To check the value of the y I have used equal operator == which returns true when the value on it's left side is equal to the value to it's right else it returns false and for assigning the value to y I have used assignment operator =.

First it will be checked that the value y is equal to 0.If the then it return true means the if statement will execute.Inside if statement 100 is assigned to x.

python

if y == 0:

   x = 100

This code assigns 100 to `x` when `y` equals 0. It uses an `if` statement to check the condition (`y == 0`) and performs the assignment accordingly.

In Python, an `if` statement can be used to conditionally assign a value to a variable. Here’s how you can assign 100 to `x` when `y` equals 0:

python

if y == 0:

   x = 100

In this code:

- `if y == 0:` checks if the variable `y` is equal to 0.

- If the condition (`y == 0`) is true, then the statement `x = 100` is executed.

- If `y` is not equal to 0, `x` will remain unchanged (assuming it has been previously defined).

This construct is straightforward: it assigns 100 to `x` only when `y` meets the specified condition. If you need `x` to have a default value when `y` is not 0, you should define `x` beforehand or provide an `else` clause to handle other cases. For example:

python

if y == 0:

   x = 100

else:

   x = default_value  # define default_value according to your needs

This ensures `x` always has a defined value, depending on the value of `y`.

Discuss trends in cellular data transmission speeds

Answers

Answer:

  There are various types of cellular data with the different transmission speeds that are: 1G,2G,3G and 4G.

1st generation network:

The 1st generation network is known as cellular network data transmission that contain analog system. It has 2.4kbps speed range. It is widely used in various services like public voice.

 2nd generation network:

The second generation network is basically based on the digital system. The global positioning system (GSM) is one of the important service in the 2nd generation network. It basically provide different types of services that are:

    GSM provide upto 2.5G range of speed and GSM EDGE upto 23kbps services.

 3rd generation network:

 It the wireless service that is basically based on the digital system. It provide various types of services like mobile interne, video calling and wireless type of telephones.

  4th generation network:

 It is one of the high digital data transmission rate and it is basically represented as the LTE.  The 4G provide many types of services like  multimedia services and telephone and gaming services.

Answer:

   Worldwide, operators and manufacturers like Samsung, Xiaomi, LG, Motorola, ZTE or Huawei are adapting equipment to offer consumers this kind of revolutionary connectivity that comes to the market.

   The expectation that we are facing a technological breakthrough is because 5G has the potential to change the way we use the internet.

   If 4G and its variations allowed us to connect people, 5G will allow us a much broader connection to the things around us. Your phone, for example, will probably be faster than your home's wifi.

   The speed of 4G, which is probably within your grasp right now, is 1 Gbps per second. The new network, at its full potential, will be able to deliver a standard speed of 20 Gbps per second, according to UK regulator Ofcom.

   What does this mean in practice? How long does it take to download a 5G video? And watch a movie in streaming?

Downloading a 1-hour playlist on Spotfy took about 7 minutes with 3G, 20 seconds with 4G, and with 5G that time would be 0.6 seconds.

   If you want to take a movie to watch while you're on the go - offline - service offered by platforms like Amazon Premium or Netflix - it will take you 3.7 seconds to download it while spending about 2 minutes on 4G .

   The popular Fortnite game takes 14 minutes to download using 4G technology and the expectation is that with 5G it will take 24 seconds.

   In terms of speed, one of the key factors is called latency, ie the network's responsiveness to a request.

   With 5G, it will be reduced to one millisecond - a significant gain compared to the 20 seconds of the 4G network.

   It's an essential factor "for activities such as broadcasting a live game in virtual reality or for a surgeon in New York to control a pair of robotic arms performing a procedure in Santiago," explains the next-generation networking optics expert, Abraham Valdebenito in an article.

   In short, we can send and receive data almost instantly.

How many strings of eight lower-case English letters are there that contain the two letters bg, in that order, with the further constraint that no letters can be repeated?

Answers

Answer:  678,363,840

Explanation:

Hi!

The "bg" part of the string could be in 7 possible positions within the string. If we number the characters in the string from 0 to 7, the "b" of "bg" could be in positions 0 to 6.

We need to count the possibilities for the other 6 characters. They can be any of the 26 lower-case letters, but not b nor g, because no letters can be repeated. So we can choose 6 letters from 24 letters, without repetition, and the order is important. The number of such combinations is:

[tex]n = 24,\; m = 6\\\frac{n!}{(n-m)!} = \frac{24!}{18!} = 96,909,120[/tex]

For the total number of strings, we have to multiply with the 7 possible position of "bg". Then, the final number is 678,363,840

Convert (65.125)10 to octal.

Answers

Answer:

101.1

Explanation:

Keep in mind that octal has 8 numbers

Step 1: Split your number in 2 parts (integer part and decimal part):

integer part 65decimal part 0.125

Step 2: Convert the decimal part. For this step you need to multiply your decimal part and 8 (8 correspond the octal base) and get the integer part until you need it:

      0.125 * 8 =  1

So your decimal part correspond to number 1 in octal = (1)8

Step 3: Convert integer part: for this step you need to divide your integer part by 8 until you can and get the remainder

      65 / 8 = 8 remainder 1

        8 / 8 = 1 remainder 0

         1 / 8 = 0 remainder 1

Step 4: join the remainders from bottom to top and get the integer part

            101

Step 5: join the integer part and the decimal part to get the octal convertion

              101.1

Suppose a class consists of 3 sophomores, 4 juniors, and 2 seniors (no freshmen). We want one person from each of the class years to do a presentation. How many different sets of presenters are there?

Answers

Answer:

There are 24 different sets of presenters.

Explanation:

We have:

3 sophmores

4 juniors

2 seniors

The presentation has the following format:

So - J - Sr

Since there are 3 sophmores, 4 juniors and 2 seniors, we have that:

For each sophmore, 4 juniors can present.

For each junior, 2 seniors can present

There are 3 sophmores

So there are

[tex]3*4*2 = 24[/tex]

There are 24 different sets of presenters.

What is the reason of non-deterministic (indeterminate) behavior of concurrent programs?

Answers

Answer: Concurrent programs are the programs that execute at the same point of time. They are simultaneous in nature with other concurrent programs.They are executed with the help of threads  to achieve the concurrency without the issue of scheduling. They are consider long running programs.

The program that has the low execution time compared with all other programs gets executed first.If the case of no progress is seen then another thread is executed.This type of execution gives the non- deterministic situation in which the possibility of leading completion of any particular program cannot be determined.

What is the value of y when this code executes?

def foo(x) :
if x >= 0 :
return 6 * x

y = foo(-10)

y = None

y = 60

y = -60

y = 20

Answers

Answer:

The operation of 6*x only executes if x is greater or equal to 0, since x=-10 and -10 is less than 0, the operation does not execute. For this reason,  the value of y using this code is None.

Explanation:

In python a function is defined with the syntaxis:  

def function(x):  

the operation to execute (x)

value to return

In this case, the function is foo and the parameter is x:  

def foo(x):

  if x>= 0:

     return 6*x

The code starts by assigning a value to x. Then, the code asks if the value of x is grater or equal to 0, if this condition is meet, then the code returns the value of 6 times x, if not, then the code does not return a value. In this case, x is -10 and this value is not grater or equal to 0. Given that the condition is not met, then the code stops executing and the value of y is none.

Every element in an array always has the same data type. Necessary ?

Answers

Answer:

False.

Explanation:

Every element in the array is always have same data type.

Array is the collection of items of same data type stored in contiguous memory location.

So as the definition suggests that array elements always have same data type.

But it is not necessary there are some languages that can allow array elements to be different types such as javascript,python.But traditional languages such as C,C++,Java does not allow this.

. When does Groupthink occur?

Answers

Answer:

 The group-think is the phenomena which basically occur when the group of people reached conses without any critical reasoning and also without evaluating any consequences.

It is basically based on the common desire and it occur without disturb and upset the group of people.

There are many causes of the group think that are:

Due to the group cohesivenessIt causes due to rigid leadership and various decisions stress.Due to overall group isolation

Assume you have taken another square picture with the 25-megapixel digital camera discussed in the previous question. This time around you decide to view the picture on your computer screen that can display 2000 pixels by 1000 pixels. What fraction of the image is viewable on the screen? Tnoo

Answers

Answer:

8% of the picture

Explanation:

Given:

Square picture pixels = 25 MP

Pixels that can be displayed by the computer = 2000 pixels by 1000 pixels

or

Pixels that can be displayed by the computer = 2000000 pixels

Now,

The fraction of picture viewable on the screen = [tex]\frac{\textup{2MP}}{\textup{25MP}}[/tex]

or

The fraction of picture viewable on the screen = 0.08

or

The fraction of picture viewable on the screen = 8% of the picture

What are the testing levels?

Answers

Answer:

There are different levels of the testing that are:

Unit testing:

 The unit testing basically test the individual components in the software testing. It is the small testable part in the software that is used for testing.

Integration testing:

 It basically test the integrated components in the software testing. The integration testing evaluate the specific requirement and functionality of the system.

System testing:  

  The system testing involve with the process of testing the entire system in the software testing. It basically evaluate the entire system and its specific requirement in the software system testing.

The ________ maps the software architecture created in design to a physical system architecture that executes it. (Points : 3) architectural diagram
sequence diagram
deployment diagram
state chart diagram

Answers

Answer:Deployment diagram

Explanation: Deployment diagram is the diagram that is used for displaying the hardware parts upon which the software architecture works.The main purpose of the diagram is showing the function and operations taking place through the deployment of the software system with the hardware.

These diagrams are made up of the nodes , interface, artifacts and other components. Other given options are incorrect because architectural diagram is for designing of the architecture of a system,sequence diagram is used for the sequential order display of system components and  state chart diagram is the diagram that shows the status of the parts of the operating system.

Therefore, the correct option is deployment diagram.

Other Questions
Evaluate the numerical expression. 1 2 ( 3 4 ) Imagine that you are a manager of a retail store in a major mall with decreasing sales. Suggest two (2) ways that you can use social media in order to increase sales and promote your business. Provide two (2) examples of businesses that have used these methods and succeeded. Which of the following types of fluoride are typically used in the dental office?a. fluoride varnishb. acidulated phosphasec. neutral sodiumd. all of the above. In what type of mine would a rock burst most likely happen?an above-ground biomining site using mine wastea large longwall minean open-pit mine with a large tailing ponda strip mine near a water supply Hernandez Company has 560,000 shares of $10 par value common stock outstanding. During the year, Hernandez declared a 10% stock dividend when the market price of the stock was $30 per share. Four months later Hernandez declared a $.50 per share cash dividend. As a result of the dividends declared during the year, retained earnings decreased by Please help. All questions with red X's are the ones I got incorrect. Please help with the ones I got incorrect. Justify each step in solving the equation 5(y+3)-11=-y-6 by writing a reason for each statement. StatementsReasons5(y+3)-11=-y-6 Given5(y+3)=-y+55y+15=y+55y=-y-106y=-10 y=-5/3 Division Property of Equality/ReducePlease help!!! The idea in the Declaration of Independence created a new national identity that united colonists behind a core set of beliefs and set the new nation apart from other countries throughout the world why else was it significant that the ideas in the Declaration of Independence created a new national identity? Write a paragraph on the topic -Life's best lessons are learnt from friends."(100-120 words) Brent is taking part in an experiment in the cognitive neuroscience lab on campus. Silently, he reads rapid sequences of words flashed on a computer screen. Simultaneously, the electrical activity of his brain is recorded through skull electrodes. The brain-scanning technique used in this study Is A. fMRI. B. PET D. TMS Just for the Halibut, Inc. designs and manufactures custom made fishing rods. On June 1, it had one job started with a beginning Work in Process balance of $578578. During June the job was finished and sold. Direct labor for the job in June was $75 and direct materials used were $60. Direct laborers are paid a wage rate of $15 per hour and manufacturing overhead is applied to production at a rate of $99 per direct labor hour. The company marks up costs 35% to determine the selling price. What was the selling price of the job? If the points (4,2) (6,3) and (8,4) are on the graph of f, give three points on the graph of f^-1 Write a short dialogue in Spanish between you and your doctor, Dr. Romero, in complete sentences. Use the vocabulary from this lesson and the following suggestions as a guide for your answer.You may copy and paste the accented and special characters from this list if needed: , , , , , , , , , , , , , , Have the doctor greet you (e.g., Hi, good morning.).Ask him/her how he/she is doing in one sentence (e.g., Good morning, doctor; how are you?).Have your doctor reply in one sentence and ask how you are doing (e.g., I am well, thanks. How are you?).Let your doctor know how you are doing, in one sentence/expression. (e.g., I am doing so-so). Given the graph of the function f(x) below what happens to f x when x is a very small negative number? Adjusting the driver's seat is _____.A. only necessary when you purchase a new vehicle B. usually enough to make up for an arm or leg injury C. not necessary if you're only driving a few miles D. not just for comfort How do you solve-10=4x 3. Ellen has 3 times as many CD's as Sammy. Together they have 32 CD's. How many doeseach person have? Which of the following sections of books in the Odyssey occurred simultaneously?Books IX-XII and I-IVBooks V-VIII and I-IVBooks IX-XII and V-VIIIBooks I-IV and XIII-XXIV Q:- You may have heard through various media of an animal alleged to be the hybrid of a rabbit and a cat. Given that cat (Felis domestica) has a diploid chromosomes number of 38 and a rabbit (Oryctologus cuniculus) has a diploid chromosomes number of 44, What would be the expected chromosomes number in the somatic tissues of this alleged hybrid? Which of the following is a true statement regarding the operational definition of a gene?a. most genes encode one polypeptide and can be operationally defined by the complementation testb. most genes encode two polypeptides and can be operationally defined by the antiparallel testc. most genes encode for less than one polypeptide can be operationally defined by the complementation testd. most genes encode for one polypeptide and can be operationally defined by the Fluctuation test