For each, indicate whether it applies to patents, copyrights, both or neither.

a. copyright
b. patent
c. both
d. neither

1. Can apply to computer software
2. Can apply to computer hardware
3. Can apply to a poem as well as a computer program
4. Protects an algorithm for solving a technical problem
5. Guarantees that software development will be profitable
6. Is violated when your friend duplicates your Windows operating system CD Lasts forever
7. Can be violated, even though you have no idea that someone else had the idea first
8. Can be given a Rule Utilitarian justification
9. Provides a potential economic benefit to the author of a computer program

Answers

Answer 1

Answer:

1. Copyright

2. Both

3. Copyright

4. neither

5. neither

6. Copyright

7. Patent

8. Patent

9. Copyright

Explanation:

Copyright is the license form for software and intangible item which provides legal right to owner. Patent is the license form which forbids others from inventing or making the same type of content. Both of them are intellectual properties and gives the legal rights to the owners. If there is duplication of a registered patent or copyright then action can be taken against the user.


Related Questions

que disminuye o destruye la televisión en cultura contemporánea según McLuhan

ayuda pls

Answers

Answer:

Traslation=

That diminishes or destroys television in contemporary culture according to McLuhan

help pls

Explanation:

To extract detailed and comprehensive responses from your client, use the _____ questioning technique.

Pleeeeeeeeeease hellppppppp ASAP!!!:)

Answers

Answer:

I think it’s open ended question technique

Explanation:

but I would definitely change it if’s it wrong and I’m also sorry if it is

Answer:

what do you need To extract detailed and comprehensive responses from your client?

When writing professional emails, it is okay to use emoticons and
abbreviations.
True
False

Answers

Answer:

False

Explanation:

Answer:

false

Explanation:

Create a class Car, which contains Three data members i.e. carName (of string type), ignition (of bool type), and currentSpeed (of integer type)
 A no-argument constructor to initialize all data members with default values
 A parameterized constructor to initialize all data members with user-defined values
 Three setter functions to set values for all data members individually
 Three getter function to get value of all data members individually
 A member function setSpeed( ) // takes integer argument for setting speed
Derive a class named Convertible that contains
 A data member top (of Boolean type)
 A no-argument constructor to assign default value as “false” to top
 A four argument constructor to assign values to all data-members i.e. carName, ignition, currentSpeed and top.
 A setter to set the top data member up
 A function named show() that displays all data member values of invoking object
Write a main() function that instantiates objects of Convertible class and test the functionality of all its member functions.

Answers

Answer:

Here.

Explanation:

#include <iostream>

#include <string>

using namespace std;

//Create a class Car, which contains • Three data members i.e. carName (of string type), ignition (of bool type), and //currentSpeed (of integer type)

class Car

{

public:

string carName;

bool ignition;

int currentSpeed;

//A no-argument constructor to initialize all data members with default values

//default value of string is "",bool is false,int is 0

Car()

{

carName="";

ignition=false;

currentSpeed=0;

}

//A parameterized constructor to initialize all data members with user-defined values

Car(string name,bool i,int speed)

{

carName=name;

ignition=i;

currentSpeed=speed;

}

//Three setter functions to set values for all data members individually

// Three getter function to get value of all data members individually

void setCarName(string s)

{

carName=s;

}

void setIgnition(bool ig)

{

ignition=ig;

}

void setCurrentSpeed(int speed)

{

currentSpeed=speed;

}

string getCarName()

{

return carName;

}

bool getIgnition()

{

return ignition;

}

int getCurrentSpeed()

{

return currentSpeed;

}

//A member function setSpeed( ) // takes integer argument for setting speed

void setSpeed(int sp1)

{

currentSpeed=sp1;

}

};

//Derive a class named Convertible

class Convertible:public Car

{

//A data member top (of Boolean type)

public:

bool top;

public:

//A no-argument constructor to assign default value as “false” to top

Convertible()

{

top=false;

}

//A four argument constructor to assign values to all data-members i.e. carName, ignition,

//currentSpeed and top.

Convertible(string n,bool i,int s,bool t):Car(n,i,s)

{

carName=n;

ignition=i;

currentSpeed=s;

top=t;

}

// A setter to set the top data member up

void setTop(bool t)

{

top=t;

}

//A function named show() that displays all data member values of invoking object

void show()

{

cout<<"Car name is:"<<carName<<endl;

cout<<"Ignition is: "<<ignition<<endl;

cout<<"Current Speed is :"<<currentSpeed<<endl;

cout<<"Top is:"<<top<<endl;

}

};

//main function

int main()

{

//creating object for Convertible class

Convertible c1("Audi",true,100,true);

c1.show();

c1.setCarName("Benz");

c1.setIgnition(true);

c1.setCurrentSpeed(80);

c1.setTop(true);

c1.show();

cout<<"Car Name is: "<<c1.getCarName()<<endl;

cout<<"Ignition is:"<<c1.getIgnition()<<endl;

cout<<"Current Speed is:"<<c1.getCurrentSpeed()<<endl;

return 0;

}

The following are the program to the given question:

Program Explanation:

Defining the header file.Defining a class "Car", inside the three variables "carName, ignition, and currentSpeed" is declared that are "string, bool, and integer" types.Inside the class, "default and parameterized constructor" and get and set method has defined that set and returns the parameter values.Outside the class, another class "Convertible" (child) is declared that inherit the base class "Car".Inside the child class, "default and parameterized constructor" is defined, which inherits the base class constructor.In the child class parameterized constructor it takes four parameters, in which 3 are inherited from the base class and one is bool type that is "t".In this class, a method "setTop" is defined that sets the "t" variable value and defines a show method that prints the variable values.Outside the class, the Main method is defined that creating the child class object and calling the parameterized constructor and other methods to print its values.

Program:

#include <iostream>//header file

#include <string>

using namespace std;

class Car//defining a class Car

{

//defining a data members

public:

string carName;//defining string variable

bool ignition;//defining bool variable

int currentSpeed;//defining integer variable

Car()//defining default constructor

{

carName="";//initiliaze a space value in string variable

ignition=false;//initiliaze a bool value in bool variable

currentSpeed=0;//initiliaze an integer value into int variable

}

Car(string name,bool i,int speed)//defining parameterized constructor that holds value into the variable

{

carName=name;//holding value in carName variable

ignition=i;//holding value in ignition variable

currentSpeed=speed;//holding value in currentSpeed variable

}

void setCarName(string s)//defining a set method that takes parameter to set value into the variable

{

carName=s;//set value

}

void setIgnition(bool ig)//defining a set method that takes a parameter to set value into the variable

{

ignition=ig;//set value

}

void setCurrentSpeed(int speed)//defining a set method that takes a parameter to set value into the variable

{

currentSpeed=speed;//set value

}

string getCarName()//defining a get method that return input value

{

return carName;//return value

}

bool getIgnition()//defining a get method that return input value

{

return ignition;//return value

}

int getCurrentSpeed()//defining a get method that return input value

{

return currentSpeed;//return value

}

void setSpeed(int sp1)//defining a method setSpeed that holds parameter value

{

currentSpeed=sp1;//hold value in currentSpeed

}

};

class Convertible:public Car//defining a class currentSpeed that inherits Car class

{

public:

bool top;//defining bool variable

public:

Convertible()//defining default constructor

{

top=false;//holing bool value

}

Convertible(string n,bool i,int s,bool t):Car(n,i,s)//defining parameterized constructor Convertible that inherits base class parameterized constructor

{

carName=n;//holding value in string variable

ignition=i;//holding value in bool variable

currentSpeed=s;//holding value in integer variable

top=t;//holding value in bool variable

}

void setTop(bool t)//defining a method setTop that takes parameter to set bool value

{

top=t;//holding bool value

}

void show()//defining show method that prints variable value

{

cout<<"Car name is:"<<carName<<"\n";//prints value

cout<<"Ignition is: "<<ignition<<"\n";//prints value

cout<<"Current Speed is :"<<currentSpeed<<"\n";//prints value

cout<<"Top is:"<<top<<"\n";//prints value

}

};

int main()//defining a main method

{

Convertible cs("BMW",true,180,true);//creating the Convertible calss object that calls the parameterized constructor by accepting value into the parameter

cs.show();//calling method show

cs.setCarName("Benz");//calling the setCarName method

cs.setIgnition(true);//calling the setIgnition method

cs.setCurrentSpeed(160);//calling setCurrentSpeed method

cs.setTop(true);//calling setTop method

cs.show();//calling show method

cout<<"Car Name is: "<<cs.getCarName()<<"\n";//calling the getCarName method and print its value

cout<<"Ignition is:"<<cs.getIgnition()<<"\n";//calling the getIgnition method and print its value

cout<<"Current Speed is:"<<cs.getCurrentSpeed();//calling the getCurrentSpeed method and print its value

return 0;

}

Output:

Please find the attached file.

Learn more:

brainly.com/question/23313563

Damion recently did an update to his computer and added a new video card. After the update, Damion decided that he would like to play his favorite game. While he was playing the game, the system locked up. He restarted the computer and did not have any issues until he tried to play the same game, at which point, the computer locked up again. What might be the problem with Damion's computer

Answers

The answer is Secure boot

To provide for unobtrusive validation, you can install the ____________________ package for unobtrusive validation.

Answers

Answer:

AspNet.ScriptManager.jQuery?

Explanation:

Unobtrusive validation means we can perform a simple client-side validation without writing a lot of validation code by adding suitable attributes and also by including the suitable script files.

One of the benefits of using a unobtrusive validation is that it help to reduce the amount of the Java script that is generated. We can install the AspNet.ScriptManager.jQuery? for the unobtrusive validation.

When the unobtrusive validation is used, validation of the client is being performed by using a JavaScript library.

What would be the best tool to display the following information from a basketball game?
Eric had 21 points, 3 rebounds, and 1 assist
Sean had 10 points, 1 rebound, and 10 assists
Jim had 8 points, 3 rebounds, and 5 assists

A.table
B.memo
C.research paper
D.business letter

Answers

A table. Hope this helps friend

Write a switch statement to select an operation based on the value of inventory. Increment total_paper by paper_order if inventory is 'B' or 'C'; increment total_ribbon by ribbon_order if inventory is 'D', 'F', or 'E'; increment total_label by label_order if inventory is 'A' or 'X'. Do nothing if inventory is 'M'. Display error message if value of inventory is not one of these 6 letters.

Answers

Answer:

switch(inventory){

   case B || C:

       total_paper += paper_order;

       break;

   case D || F || E:

       total_ribbon += ribbon_order;

       break;

   case A || X:

       total_label += label_order;

       break;

   case M:

       break;

   default:

       console.log("Error! Invalid inventory value");

}

Explanation:

The switch keyword is a control statement used in place of the if-statement. It uses the 'case' and 'break' keywords to compare input values and escape from the program flow respectively. The default keyword is used to accommodate input values that do not match the compared values of the cases.

How has the shift to locally grown produce decreased greenhouse emissions?

Answers

Answer:

How has the shift to locally grown produce decreased greenhouse emissions? 1 Large farms often create greenhouse emissions by poor farming practices. 2 Locally grown produce allows fewer dangerous toxins to seep into the soil and the atmosphere.

what is data analysing data and give three examples ?​

Answers

Answer:

Data Analysis is the process of systematically applying statistical and/or logical techniques to describe and illustrate, condense and recap, and evaluate data. ... An essential component of ensuring data integrity is the accurate and appropriate analysis of research findings.

Inferential Analysis. Diagnostic Analysis. Predictive Analysis. Prescriptive Analysis are examples.

What refers to a collection of small sections of code that are stored together to solve many everyday programs?
- school
- mausoleum
- museum
- library

Answers

Hey none of them are corect

Hope you have a good day

-scav

Answer:

Explanation:

School

adaptability within a species can only occur if there is genetic.

Answers

Answer:

Variation or diversity.

Explanation:

Natural selection can be defined as a biological process in which species of living organisms having certain traits that enable them to adapt to environmental factors such as predators, competition for food, climate change, sex mates, etc., tend to survive and reproduce, as well as passing on their genes to subsequent generations.

Simply stated, natural selection entails the survival of the fittest. Therefore, the species that are able to adapt to the environment will increase in number while the ones who can't adapt will die and go into extinction.

Adaptability within species can only occur if there is genetic variation or diversity i.e a drift in the genetic makeup of the total number of living organisms living together at a particular place (population).

Create a class Car, which contains Three data members i.e. carName (of string type), ignition (of bool type), and currentSpeed (of integer type)
 A no-argument constructor to initialize all data members with default values
 A parameterized constructor to initialize all data members with user-defined values
 Three setter functions to set values for all data members individually
 Three getter function to get value of all data members individually
 A member function setSpeed( ) // takes integer argument for setting speed
Derive a class named Convertible that contains
 A data member top (of Boolean type)
 A no-argument constructor to assign default value as “false” to top
 A four argument constructor to assign values to all data-members i.e. carName, ignition, currentSpeed and top.
 A setter to set the top data member up
 A function named show() that displays all data member values of invoking object
Write a main() function that instantiates objects of Convertible class and test the functionality of all its member functions.

Answers

Answer:

Copy paste it.

Explanation:

#include <iostream>

#include <string>

using namespace std;

//Create a class Car, which contains • Three data members i.e. carName (of string type), ignition (of bool type), and //currentSpeed (of integer type)

class Car

{

public:

string carName;

bool ignition;

int currentSpeed;

//A no-argument constructor to initialize all data members with default values

//default value of string is "",bool is false,int is 0

Car()

{

carName="";

ignition=false;

currentSpeed=0;

}

//A parameterized constructor to initialize all data members with user-defined values

Car(string name,bool i,int speed)

{

carName=name;

ignition=i;

currentSpeed=speed;

}

//Three setter functions to set values for all data members individually

// Three getter function to get value of all data members individually

void setCarName(string s)

{

carName=s;

}

void setIgnition(bool ig)

{

ignition=ig;

}

void setCurrentSpeed(int speed)

{

currentSpeed=speed;

}

string getCarName()

{

return carName;

}

bool getIgnition()

{

return ignition;

}

int getCurrentSpeed()

{

return currentSpeed;

}

//A member function setSpeed( ) // takes integer argument for setting speed

void setSpeed(int sp1)

{

currentSpeed=sp1;

}

};

//Derive a class named Convertible

class Convertible:public Car

{

//A data member top (of Boolean type)

public:

bool top;

public:

//A no-argument constructor to assign default value as “false” to top

Convertible()

{

top=false;

}

//A four argument constructor to assign values to all data-members i.e. carName, ignition,

//currentSpeed and top.

Convertible(string n,bool i,int s,bool t):Car(n,i,s)

{

carName=n;

ignition=i;

currentSpeed=s;

top=t;

}

// A setter to set the top data member up

void setTop(bool t)

{

top=t;

}

//A function named show() that displays all data member values of invoking object

void show()

{

cout<<"Car name is:"<<carName<<endl;

cout<<"Ignition is: "<<ignition<<endl;

cout<<"Current Speed is :"<<currentSpeed<<endl;

cout<<"Top is:"<<top<<endl;

}

};

//main function

int main()

{

//creating object for Convertible class

Convertible c1("Audi",true,100,true);

c1.show();

c1.setCarName("Benz");

c1.setIgnition(true);

c1.setCurrentSpeed(80);

c1.setTop(true);

c1.show();

cout<<"Car Name is: "<<c1.getCarName()<<endl;

cout<<"Ignition is:"<<c1.getIgnition()<<endl;

cout<<"Current Speed is:"<<c1.getCurrentSpeed()<<endl;

return 0;

}

Why should data be collected and analyze for evaluation?​

Answers

Answer:

During outcomes assessment, data can provide the basis for you and other stakeholders to identify and understand results and to determine if your project has accomplished its goals. Therefore, much care must go into the design of your data collection methods to assure accurate, credible and useful information.

advantage of internet to millennials​

Answers

Benefits of Millennials – Networking Millennials, being constantly active on various social media platforms, are more connected and exposed to greater networks. Give them 10 minutes and they will be able to reconnect with the majority of their primary, secondary and tertiary school connections along with previous colleagues

Answer any choices for this question

Explanation:

different the need for external or secondary memory​

Answers

Answer:

Secondary storage is needed to keep programs and data long term. Secondary storage is non-volatile , long-term storage. Without secondary storage all programs and data would be lost the moment the computer is switched off.

External storage enables users to store data separately from a computer's main or primary storage and memory at a relatively low cost. It increases storage capacity without having to open up a system.

You have written a program to keep track of the money due to your company. The people in accounting have entered the information from the invoices they have sent out. However, the total from accounting does not agree with a total of a second listing of items that can be billed from the production department.

Using the drop-down menus, complete the sentences about the steps in the debugging process.

As a first step in diagnosing the problem, you will
✔ reproduce the error.
A good place to begin is by examining the
✔ error codes.
Next, you can
✔ troubleshoot
the problem.
This will help you
✔ identify the source of the problem.

Answers

Answer:

1. REPRODUCE THE ERROR

2. ERROR CODES

3. TROUBLESHOOT

4. IDENTIFY THE SOURCE OF THE PROBLEM

Explanation:

Debugging a program simply means a sequence of steps which one takes to correct an imperfect program, that is a program that does not run as intended.

A good way to start debugging is to run the code, by running the code, one will be able to determine if the program has a bug. If it has then it produces an error. This error is a good starting point as the error code gives a headway into where the bug may lie.

The error code gives a hint into the type of error causing a program to malfunction which could be a syntax error, logic, Runtime and so on. In some case probable lines where there error lies are spotted and included in the error code produced.

After evaluating the error code, then we troubleshoot the probable causes of the error. By troubleshooting all the possible causes, the source of the error will eventually be identified.

Answer:

As a first step in diagnosing the problem, you will

✔ reproduce the error.

A good place to begin is by examining the

✔ error codes.

Next, you can

✔ troubleshoot

the problem.

This will help you

✔ identify the source of the problem.

Explanation:

Write a python statement that print the number 1000

Answers

1.

print(1000)

2.

x = 600

y = 400

print(x + y)

Please help ASAP!!! :))

Answers

Answer:

You can upgrade the OS by applying SECURITY patches to the server

Explanation:

I can't think of anything else it could be

Describe one health problem related to fertilizers?​

Answers

The Answer is look it up

Write a police description a person who know you well​

Answers

Answer:

I will be describing Jude. He is a neighbor.

Explanation:

A police description refers to the method of describing a person using high-level detailing. An example is given below:

He is a Five feet-three male caucasianWith brown eyes andan Australian accentHe has a military haircutAbout 38 yearsWeighs about 95Kgand dresses casuallyhe walks with a slant to the lefta dove tattoed at the back of his neckand a birthmark on his left ear lobe

Cheers

Why vechiles Tyres are black in colour?​

Answers

Answer: See explanation

Explanation:

It should be noted that the rubber that tire is made from has a color that's milky white but due to the fact that carbon black is being added to the rubber, then the tire will turn to black.

The importance of carbon black to tires is immense as it acts as the stabilizing chemical compound. Also, it helps in increasing the strength of the tire and its durability and also protects the tire from ozone effect.

3) Paul enjoys working at Small World
because he finds the
stimulating.
O
installation
O environment
O application
O opportunity​

Answers

Answer:

Environment

Explanation:

He finds the environment stimulating, hence why he enjoys working there.

the answer o

for this question is environment

Patrick manages the cloud services that are used by a small hospital system. He knows that there are a lot of laws and regulations out there that pertain to storing PII that are different than other industries. Which of the following sets of laws and regulations is he specifically thinking of that do not apply to other industries?
a. HIPAA
b. PCI DSS
c. GDPR
d. SLA

Answers

Answer:

a. HIPAA

Explanation:

HIPPA represents the Health Insurance Portability and Accountability Act that of the United States which becomes mandatory for protecting the medical data in any form.

Also in the case of data protection that represent the general regulations, PCI DSS, GDPR etc would be used

So the option a is correct

hence, all the other options are wrong

Answer:

A. HIPAA

Explanation:

sets of laws and regulations is he specifically thinking of that do not apply to other industries.

1. Write a method to measure sortedness of an array. The method header is:
2. Write an iterative method to measure sortedness of a collection of linked nodes. The method header is:
3. Write a recursive method to measure sortedness of a collection of linked nodes.
Document Preview:
Meetup Questions and ideas Write a method to measure sortedness of an array. The method header is: public static double sortedness(Comparable[] array) Write an iterative method to measure sortedness of a collection of linked nodes. The method header is: public static double sortednessIterative(Node node) Write a recursive method to measure sortedness of a collection of linked nodes. public static double sortednessIterative(Node node)

Answers

ㄴㄱㄷㅂㄷㅈ븟ㅈㅂㅈㅂㅈㄱㅅㄱㅈㅂㄷㅅㄷㅈㄱㅅㄱㅅㄴㅇㄴㅇㄴㅇㄴㅁㄴㅇㄴㅇㄴㅈㅂㅈㅂㅈㄱㅈㄴㅈㄴㄱㅆㅅㄱㅈㅂㄷㅅㅈㅂㅈㅅㄱ싲ㄱㅈㅂㄷㅂㅅㅇㄱㅇㄱㅅㅂㄷㅈㄱㅇㄱㅇㄱㄷㄱㅅㄱㅇㄱㄷㅈㄱㅇㅈㄱㅂㅈㅂㄷㅇㄷㅅㅆㄱㅇㄱㅅㅈㄱㅈㄱㅇㄱㅇㅂㅇㄱㅁㄱㅇㄱㅇㄱㅇㄱㅇㄱㅁㅋㅁㄱㅇㄱㅇㄱㅇㄱㄴㅁㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅇㄴㅁㄴㅇㄴㅇㄴㅅㄱㅈㄱㅈㅅ?...

PLS HELP


Select the correct answer from each drop-down menu. Daniel, Abeeku, and Carlos are three friends in the same physiology class. All three demonstrate different types of listening. Identify the different listening techniques displayed by each of them. Daniel listens to all the key content of the lecture and takes notes. He displays _______ listening. Abeeku is restless and begins to focus on the emotions and mood of the professor when he’s just bored. Abeeku displays _______ listening. Carlos also focuses on the key content of the lectures, but he evaluates them for accuracy based on what he has read or heard somewhere else. Carlos displays_______listening.


The blanks are: informative, critical, discriminative

Answers

Answer:

informative, discrimiitive,critical thats the order

is a language composed of commands within a file that can be executed without being compiled.

Answers

Answer:

A Scripting Language

Explanation:

Edge 2021

An interpreted language is a type of programming language for which several of its iterations explicitly and voluntarily implement instructions, without translating code into machine-language directives before.

What is the work of interpreter?

An interpreter converts orders of a high-level into an intermediary type which instead performs. Interpreters are also used in learning as they provide immersive content for pupils.Simply stated, an editor is a program where you construct and tweak programs. The program is encoded, or compiled, using the compiler.

IDEs are a formidable collection of tools designed to make programming as simple as it can be. A code editor is essentially a text editor with strong built-in functionality and dedicated features that are geared to simplify and expedite the editing of code.

Therefore, An interpreted language is a type of programming language for which several of its iterations explicitly and voluntarily implement instructions, without translating code into machine-language directives before.

Learn more about interpreted language on:

https://brainly.com/question/23838084

#SPJ3

Which statement is true of Voice over Internet Protocol (VoIP)? a. Callers can be screened even with blocked caller IDs. b. Calls cannot be forwarded by users. c. Voicemails are not received on the computer. d. Users often experience busy lines.

Answers

Answer:

a. Callers can be screened even with blocked caller IDs.

Explanation:

Communication can be defined as a process which typically involves the transfer of information from one person (sender) to another (recipient), through the use of semiotics, symbols and signs that are mutually understood by both parties. Some of the most widely used communication channel or medium over the internet are an e-mail (electronic mail) and Voice over Internet Protocol (VoIP).

Voice over Internet Protocol (VoIP) is also known as IP Telephony and it's a type of communication technology which typically involves the use of broadband connection for the transmission of voice data between two or more people. Thus, it requires the use of internet enabled devices such as smartphones, computers, IP phones, etc.

Blocking a number with the VoIP technology prevents the blocked user from calling or contacting your line. However, you can still screen or carry out some investigations with respect to the blocked number through Voice over Internet Protocol (VoIP).

Hence, the statement which is true of Voice over Internet Protocol (VoIP) is that, callers can be screened even with blocked caller IDs.

You wish to use your personal laptop computer at work. However, the IT department folks are unwilling to allow you. The likely reason is ______. a. you will use your laptop for non-work related activity b. your productivity could not be measured correctly c. your non-work related use of the laptop could increase vulnerability d. your activities could not be monitored

Answers

Answer:

B and C are the most likely options

i would probably pick C because if the IT department said no C is the option, otherwise if your boss said no it would be B.

I will give brainliest!!!!! I NEED HELP ASAP!!!!!!!

Answers

Answer:

c

Explanation:

Other Questions
5. Twenty volunteers with high cholesterol were selected for a trial to determinewhether a new diet reduces cholesterol. The volunteers were given a low-carb,low-calorie diet. After 8 weeks of the diet, the average cholesterol of thevolunteers dropped a significant amount. This study is an example of(A) A controlled experiment.(B) An uncontrolled experiment.(C) A double blind experiment.Ablocked design experiment. Why would you choose a job over a career? Can someone explain this to me plz Unhelpful answers will be reported 44.0L of O2 react with excess Sulfur dioxide gas. All gases are kept at the same temperature, pressure, and volume. What will be the theoretical yield of Sulfur trioxide gas in Liters? Wills Examples, show bad and explain theorder of adjectives a phaseative in a correct order before Write 7^5 in expanded formPlease I need an answer ASAP Write in scientific notation:673,000 sum of two numbers is 5 while the difference of the two numbers is 6 find the two numbers Which value of x makes x-3/4 + 2/3=17/12 true? Simplify the expression below. (2y+1)^2-4y^2+2A. 4y+3B. 2y+3D. -1 Please help to solve this question. determine the constant in each algebraic expression List 4 reasons why thomas jefferson want to expand the united states the mean of "n" numbers is "x" . if one more is added the mean is "y" . write an algebraic expression for the value of the number added? The block A and attached rod have a combined mass of 50 kg and are confined to move along the guide under the action of the 796-N applied force. The uniform horizontal rod has a mass of 15 kg and is welded to the block at B. Friction in the guide is negligible. Required:Compute the bending moment M exerted by the weld on the rod at B. The bending moment is positive if counterclockwise, negative if clockwise. A cuboid has 4 rectangular faces and 2 square faces. Each rectangular face measures 8 cm by 6 cm. Find the two possible values for the surface area of the cuboid.pls give me answer with steps Describe the teacher in the story The Fun They Had and what was her relationship to the protagonist ( Margie )? Write an expression that is equivalent to 4n 12 + 8y + (-3n). What is the x-coordinate of the point that divides the directed line segment from J to K into a ratio of 2:5? 3 2- 1- X = { m m + n ] (x2 xa) + x3 3 6 7 8 9 10 11 x -9-8-7-6-5-4-3-2-11- -2 J (6-2) -4 -2 2 -6 -7 -8 K(8-9) 29 -10 -11 -12 -13 1) Look at the following picture and write sentences explaining who Linda Smith, Stephen Price, and Joseph Smith are in relation to Vanesa Smith.2) Who is Angela Price in relation to Justin Smith?