How can templates be made available to other users?

A: your user profile directory
B: a shared network location
C: an intranet SharePoint document library
D: none of the above

Answers

Answer 1

Answer:

b

Explanation:


Related Questions

In Python which is the correct method to load a module math?

Answers

Answer: The math module is a standard module in Python and is always available. To use mathematical functions under this module, you have to import the module using import math .

Explanation:

The tag
sets content aside from the page content
sets a user-invoked command button
sets a container for an external application
isolates text that is formatted in a different direction

Answers

The tag is  isolates text that is formatted in a different direction.

What does the tag do?Tags are small pieces of data that represent information on a document, web page, or other digital item. They are typically one to three words long. Tags provide information about an object and make it simple to find related products with the same tag.An HTML tag is a particular word or letter that is surrounded by angle brackets, >, and Tags are used to build HTML components such as paragraphs and links. A p (paragraph) element, for example, has a p> tag, followed by the paragraph text, followed by a closing /p> tag.

To learn more about HTML Tag refer,

https://brainly.com/question/9069928

#SPJ1

1. Which of the following terms refers to typical categories or groups of people?


( I have 14 more questions )
( 10 points per question answered )

Answers

Demographics is a term that refers to typical categories or groups of people

What is demographics?

The term that refers to typical categories or groups of people is "demographics." Demographics refer to the statistical characteristics of a population, such as age, gender, race, income, education level, occupation, and location.

These characteristics can be used to group people into different categories or segments, such as "millennials," "baby boomers," "African American," "rural residents," "college graduates," etc. Understanding demographics is important for businesses, marketers, and policymakers, as it can help them to better target their products, services, or messages to specific groups of people.

Read more on demographics here: https://brainly.com/question/6623502

#SPJ1

which of the following types of viruses target systems such as supervisory control and data acquisition systems, which are used in manufacturing, water purification, and power plants?

Answers

It's thought that Stuxnet seriously harmed Iran's nuclear program by focusing on supervisory control and data acquisition (SCADA) systems.Several types of computer viruses.

What are the 4 types of computer viruses?It's thought that Stuxnet seriously harmed Iran's nuclear program by focusing on supervisory control and data acquisition (SCADA) systems.Several types of computer viruses.Boot Sector Virus.A sector of your hard drive on your computer is entirely in charge of directing the boot loader to the operating system so it can start up.A browser hijacker, a web scripting virus, etc.Virus in residence.A rootkit is software that allows malevolent users to take complete administrative control of a victim's machine from a distance.Application, kernel, hypervisor, or firmware injection can all result in rootkits.Phishing, malicious downloads, malicious attachments, and infected shared folders are all ways they spread. ]

To learn more about  computer viruses refer

https://brainly.com/question/26128220

#SPJ4

(0)
Write a grading program for an instructor whose course has the following policies:
* Two quizzes, each graded on the basis of 10 points, are given.
* One midterm exam and one final exam, each graded on the basis of 100 points,
are given.
* The final exam counts for 40 percent of the grade, the midterm counts for 35 percent, and the two quizzes together count for a total of 25 percent. (Do not forget to normalize the quiz scores. They should be converted to percentages before they are averaged in.)
Any grade of 90 percent or more is an A, any grade between 80 and 89 percent is a B, any grade between 70 and 79 percent is a C, any grade between 60 and 69 percent is a D, and any grade below 60 percent is an F.
The program should read in the student's scores and display the student's record, which consists of two quiz scores, two exam scores, the student's total score for the entire course, and the final letter grade. The total score is a number in the range 0-100, which represents the weighted average of the student's work.
Create a method for input that both prompts for input and checks to make sure the grades are in an appropriate range. Use a while loop to get another input value until the grade is in range.

Answers

The grading program for an instructor whose course has following policies are given below : import java.util.Scanner;

Programming :

import java.util.Scanner;

public class Student{

  Scanner in = new Scanner(System.in);

   String name;

   double quiz1, quiz2, midTerm, finalTerm, grade;

   void readInput(){

       System.out.print("Enter student's name: ");

       name = in.nextLine();

       while(true){

           System.out.print("Enter the grades in quiz 1: ");

           quiz1 = in.nextDouble();

           if(quiz1 < 0 || quiz1 > 10) System.out.print("Invalid grade.");

           else break;

       }

       while(true){

          System.out.print("Enter the grades in quiz 2: ");

           quiz2 = in.nextDouble();

           if(quiz1 < 0 || quiz1 > 10) System.out.print("Invalid grade.");

           else break;

       }

       while(true){

           System.out.print("Enter the grades in mid term: ");

           midTerm = in.nextDouble();

           if(midTerm < 0 || midTerm > 100) System.out.print("Invalid grade.");

           else break;

       }

       while(true){

           System.out.print("Enter the grades in final term: ");

           finalTerm = in.nextDouble();

           if(finalTerm < 0 || finalTerm > 100) System.out.print("Invalid grade.");

           else break;

       }

   }

   void calculateGrade(){

       grade = (quiz1 + quiz2) * 1.25 + midTerm * 0.25 + finalTerm * 0.5;

   }

   void writeOutput(){

       System.out.println("\n\nStudent " + name + "\n" + "had these scores");

       System.out.println("First quiz " + quiz1 + "\nSecond quiz " + quiz2);

       System.out.println("Midterm exam " + midTerm + "\nFinal exam " + finalTerm);

       System.out.print("the total score is " + grade + "\nthe letter grade is ");

       if(grade >= 90) System.out.println("\"A\"");

       else if(grade >= 80) System.out.println("\"B\"");

       else if(grade >= 70) System.out.println("\"C\"");

       else if(grade >= 60) System.out.println("\"D\"");

       else System.out.println("\"F\"");

   }

}

// StudentDemo.java

import java.util.Scanner;

public class StudentDemo{

   public static void main(String[] args){

       Scanner scan = new Scanner(System.in);

       Student person = new Student();// one Student

       int numberOfStudents, i;

       System.out.print("Enter number of Students:");

       numberOfStudents = scan.nextInt();

       for(i = 0; i < numberOfStudents; i++){

           person.readInput();

           person.calculateGrade();

           person.writeOutput();

       }

   }

}

Complete Program to copy :

<terminated> Student Demo [Java Application] /opt/eclipse/jre/bin/java (30-Jul-2014 9:54:37 am)

Enter number of Students:1

Enter student's name: John J Smith

Enter the grades in quiz 1: 7

Enter the grades in quiz 2: 8 Enter the grades in mid term: 90

Enter the grades in final term: 80

Student John J Smith

had these scores

First quiz 7.0

Second quiz 8.0

Midterm exam 90.0

Final exam 80.0

the total score is 81.25

the letter grade is "B"

What does the grading system aim to accomplish?

A grading system's primary purpose is to evaluate a student's academic performance. This method, which is used in schools all over the world, is thought to be the best way to test a child's grasping and reciprocating skills.

Incomplete question :

Write a grading program for an instructor whose course has the following policies:

* Two quizzes, each graded on the basis of 10 points, are given.

* One midterm exam and one final exam, each graded on the basis of 100 points, are given.

* The final exam counts for 50 percent of the grade, the midterm counts for 25 percent, and the two quizzes together count for a total of 25 percent. (Do not forget to normalize the quiz scores. They should be converted to percentages before they are averaged in.)

Any grade of 90 percent or more is an A, any grade between 80 and 89 percent is a B, any grade between 70 and 79 percent is a C, any grade between 60 and 69 percent is a D, and any grade below 60 percent is an F.

The program should read in the student's scores and display the student's record, which consists of two quiz scores, two exam scores, the student's total score for the entire course, and the final letter grade. The total score is a number in the range 0-100, which represents the weighted average of the student's work.

Create a method for input that both prompts for input and checks to make sure the grades are in an appropriate range. Use a while loop to get another input value until the grade is in range.

import java.util.Scanner;

public class StudentDemo

{

public static void main(String[] args)

{

Scanner scan = new Scanner(System.in);

Student person = new Student ();// one Student

int number Of Students, i;

System.out.println("Enter number of Students:");

number Of Students = scan.nextInt( );

for(i = 0; i < number Of Students; i++)

{

person.read Input();

person.calculateGrade();

person.writeOutput();

}

}

}

/* sample output with numbers that are accurately computed:

Student John J Smith

had these scores

First quiz 7

Second quiz 8

Midterm exam 90

Final exam 80

the total score is 81.25

the letter grade is "B" */

Learn more about Grading program :

brainly.com/question/29497404

#SPJ4

Which of the following statements are true regarding Steve Jobs and Steve Wozniak? Select 3 options.


Steve Wozniak worked for Hewlett Packard designing calculators before starting Apple.


Steve Job founded Apple and managed the company from its inception until his death.


Both Steve Jobs and Steve Wozniak raised $1000 by selling personal items, so that they could start Apple


Steve Jobs never learned to code and primarily focused on design.


The two met in college at Princeton.

Answers

According to Wozniak, Apple was able to successfully promote devices like the iPhone as being user-friendly thanks to Jobs' abilities as a communicator and seller. Hence option 1, 2 and 4 is correct.

What is communicator?

Communicator is defined as a presenter, especially one who is adept in explaining concepts, ideas, or public policy. As a communicator, it is your responsibility to establish trust with your audience and convince them that the information you are about to share is accurate.

Apple was created by Steve Job, who also served as its CEO from the start until his passing. Before founding Apple, Steve Wozniak designed calculators for Hewlett Packard. Steve Jobs was primarily concerned with design and never learnt to code.

Thus, according to Wozniak, Apple was able to successfully promote devices like the iPhone as being user-friendly thanks to Jobs' abilities as a communicator and seller. Hence option 1, 2 and 4 is correct.

To learn more about communicator, refer to the link below:

https://brainly.com/question/22558440

#SPJ1

The material to be broadcast and the way it's arranged is called __________. (10 letters)

Answers

Answer:

journalism

Explanation:

The material to be broadcast and the way it's arranged is called bulletin or news highlights.

What is News broadcasting about?

This is known to be a way that is often used in the sharing or  broadcasting of different kinds of news events through the television, radio, etc.

Conclusively, Note that the content can be material or bulletins that pertains to sports coverage, weather forecasts etc. that are often reported.

Learn more about broadcast from

https://brainly.com/question/9238983

#SPJ1

Define a function calc_total_inches, with parameters num_feet and num_inches, that returns the total number of inches. Note: There are 12 inches in a foot.

Answers

Answer:

def print_total_inches (num_feet, num_inches):

   print('Total inches:', num_feet * 12 + num_inches)

print_total_inches(5, 8)

Explanation:

I'm not sure what language you needed this written in but this would define it in Python.

Answer:

def calc_total_inches(num_feet, num_inches):

   return num_feet*12+num_inches

Explanation:

Which statement correctly explains why televisions became less bulky?

Answers

Answer:

The old cathode Ray tube technology was replaced by the less bulkier and more modern liquid crystal display and LED technology.

Explanation:

The old cathode ray tube uses the principle of electrical discharge in gas. Electrons moving through the gas, and deflected by magnetic fields, strike the screen, producing images and a small amount of X-rays. The tube required more space, and consumed more electricity, and was very bulky. The modern technologies are more compact and consume less power, and can been designed to be sleek and less bulky.

Zeke is working on a project for his economics class. He needs to create a visual that compares the prices of coffee at several local coffee shops. Which of the charts below would be most appropriate for this task?

Line graph
Column chart
Pie chart
Scatter chart

Answers

Opting for a column chart is the best way to compare prices of coffee at various local coffee shops.

Why is a column chart the best option?

By representing data in vertical columns, this type of chart corresponds with each column's height showing the value depicted; facilitating an efficient comparison between different categories.

In our case, diverse branches of local coffee shops serve as various categories and their coffee prices serve as values. Depicting trends over time suggested usage of a line graph. Pie charts exhibit percentages or proportions ideally whereas scatter charts demonstrate the relationship between two variables.

Read more about column chart here:

https://brainly.com/question/29904972

#SPJ1

ed 4. As a network administrator of Wheeling Communications, you must ensure that the switches used in the organization are secured and there is trusted access to the entire network. To maintain this security standard, you have decided to disable all the unused physical and virtual ports on your Huawei switches. Which one of the following commands will you use to bring your plan to action? a. shutdown b. switchport port-security c. port-security d. disable

Answers

To disable unused physical and virtual ports on Huawei switches, the command you would use is " shutdown"

How doe this work?

The "shutdown" command is used to administratively disable a specific port on a switch.

By issuing this command on the unused ports, you effectively disable those ports, preventing any network traffic from passing through them.

This helps enhance security by closing off access to unused ports, reducing the potential attack surface and unauthorized access to the network.

Therefore, the correct command in this scenario would be "shutdown."

Learn more about virtual ports:
https://brainly.com/question/29848607
#SPJ1

X = 1 if (A = 1 OR B = 1) OR (A = 0 AND B = 1
Y = 1 if (A = 0 AND B = 0) AND (B = 0 OR C
Please help I will mark brain list

X = 1 if (A = 1 OR B = 1) OR (A = 0 AND B = 1Y = 1 if (A = 0 AND B = 0) AND (B = 0 OR CPlease help I

Answers

Answer:

For question a, it simplifies.  If you re-express it in boolean algebra, you get:

(a + b) + (!a + b)

= a + !a + b

= b

So you can simplify that circuit to just:

x = 1 if b = 1

(edit: or rather, x = b)

For question b, let's try it:

(!a!b)(!b + c)

= !a!b + !a!bc

= !a!b(1 + c)

= !a!b

So that one can be simplified to

a = 0 and b = 0

I have no good means of drawing them here, but hopefully the simplification helped!

The purpose of a windows 10 product key is to help avoid illegal installation True Or False?

Answers

Answer:

True.

Explanation:

A product key is a 25-character code that's used to activate Windows and helps verify that Windows hasn't been used on more PCs than the Microsoft Software License Terms allow.

Make a program that, given a square matrix, identify the largest number and what position it has, indicate how many even and odd numbers it has. With functions in pseint.

Answers

A program that, given a square matrix, identifies the largest number and what position it has, and indicates how many even and odd numbers it has, is given below:

The Program in C++

// C++ implementation to arrange

// odd and even numbers

#include <bits/stdc++.h>

using namespace std;

// function to arrange odd and even numbers

void arrangeOddAndEven(int arr[], int n)

{

  int oddInd = 1;

   int evenInd = 0;

   while (true)

   {

       while (evenInd < n && arr[evenInd] % 2 == 0)

           evenInd += 2;

           

       while (oddInd < n && arr[oddInd] % 2 == 1)

           oddInd += 2;

           

      if (evenInd < n && oddInd < n)

           swap (arr[evenInd], arr[oddInd]);

           

       else

           break;

   }

}

// function to print the array

void printArray(int arr[], int n)

{

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

       cout << arr[i] << " ";

}

// Driver program to test above

int main()

{

   int arr[] = { 3, 6, 12, 1, 5, 8 };

   int n = sizeof(arr) / sizeof(arr[0]);

   cout << "Original Array: ";

  printArray(arr, n);

   arrangeOddAndEven(arr, n);

   cout << "\nModified Array: ";

   printArray(arr, n);

   return 0;

}

Output

Original Array: 3 6 12 1 5 8

Modified Array: 6 3 12 1 8 5

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

how do i work this out? does anyone do programming?

how do i work this out? does anyone do programming?

Answers

Answer : No sorry ..

And office now has a total of 35 employees 11 were added last year the year prior there was a 500% increase in staff how many staff members were in the office before the increase

Answers

There were 5 staff members in the office before the increase.

To find the number of staff members in the office before the increase, we can work backward from the given information.

Let's start with the current total of 35 employees. It is stated that 11 employees were added last year.

Therefore, if we subtract 11 from the current total, we can determine the number of employees before the addition: 35 - 11 = 24.

Moving on to the information about the year prior, it states that there was a 500% increase in staff.

To calculate this, we need to find the original number of employees and then determine what 500% of that number is.

Let's assume the original number of employees before the increase was x.

If we had a 500% increase, it means the number of employees multiplied by 5. So, we can write the equation:

5 * x = 24

Dividing both sides of the equation by 5, we find:

x = 24 / 5 = 4.8

However, the number of employees cannot be a fraction or a decimal, so we round it to the nearest whole number.

Thus, before the increase, there were 5 employees in the office.

For more questions on staff members

https://brainly.com/question/30298095

#SPJ8

Which of the following are reasons you would want to remove unwanted software applications or start-up items on your computer? Check all of the boxes that apply.

They take up memory (RAM).

They slow the start-up process.

They slow the computer.

They harm the computer.

Answers

Answer: A and B

Explanation:

Answer:

A,B, and C

Explanation: did it on e2020

use the drop-down menus to complete the statements about using column breaks in word 2016

use the drop-down menus to complete the statements about using column breaks in word 2016

Answers

1,2,1,3

Explanation:

layout

section

number

more options

The complete statement can be columns and column break are layout feature. Column breaks can be inserted into a section of the document. Under layout tab, one can change the number of columns, and by clicking more options, one can open the column dialog box.

What is layout?

Layout is the process of calculating the position of objects in space under various constraints in computing. This functionality can be packaged as a reusable component or library as part of an application.

Layout is the arrangement of text and graphics in word processing and desktop publishing. The layout of a document can influence which points are highlighted and whether the document is visually appealing.

The entire statement can be divided into columns, and column breaks are a layout feature.

A section of the document can have column breaks. The number of columns can be changed under the layout tab, and the column dialog box can be opened by clicking more options.

Thus, these are the answers for the given incomplete sentences.

For more details regarding layout, visit:

https://brainly.com/question/1327497

#SPJ5

Please help its due on May 7th and the code has to be in python.

Please help its due on May 7th and the code has to be in python.
Please help its due on May 7th and the code has to be in python.
Please help its due on May 7th and the code has to be in python.
Please help its due on May 7th and the code has to be in python.
Please help its due on May 7th and the code has to be in python.

Answers

We can use a list to store the sensor objects, and we can sort the list by room number, room description, or sensor number. However, accessing a sensor by its room number would require iterating through the entire list.

How to explain the information

A tuple is similar to a list, but it is immutable, meaning that it cannot be modified once created. We could use a tuple to store each sensor object, but sorting the tuple would require creating a new sorted tuple. Accessing a sensor by its room number would also require iterating through the entire tuple.

A set is an unordered collection of unique items, and it can be modified. We could use a set to store the sensor objects, but sorting the set is not possible. Accessing a sensor by its room number would also require iterating through the entire set.

Learn more about sensor on

https://brainly.com/question/29569820

#SPJ1

WORKBOOK 4 1. Give correct statements regarding inline functions

Answers

As opposed to producing a separate set of instructions in memory, an inline function is one for which the compiler transfers the code from the function specification directly into the code of the calling function.

What are Inline functions?

As a result, call-linkage overhead is removed, and important optimization opportunities may be revealed. When using the "inline" specifier, the compiler is just being advised that an inline expansion is possible; it is free to disregard this advice.

Inlining typically results in a larger program. Inlining, however, may in some circumstances result in program size reduction when the function size is less than the function call code size.

In most circumstances, inlining could reduce execution time by minimizing call overhead and possibly allowing the optimizer to see through the function (making it non-opaque) for more possibilities to optimize.

Therefore, As opposed to producing a separate set of instructions in memory, an inline function is one for which the compiler transfers the code from the function specification directly into the code of the calling function.

To learn more about inline function, refer to the link:

https://brainly.com/question/15177582

#SPJ1

Is it possible to beat the final level of Halo Reach?

Answers

It is impossible to beat this level no matter how skilled the player is.

you have a 10vdg source available design a voltage divider ciruit that has 2 vdc , 5vdc , and 8 vdc available the total circuit current is to be 2mA

Answers

If you try to divide 10V in three voltages, the sum of the three voltages must be equal to the total voltage source, in this case 10V. Having said this, 2 + 5 + 8 = 15V, and your source is only 10V. So you can see is not feasible. You can, for example, have 2V, 5V and 3V, and the sum is equal to 10V. Before designing the circuit, i.e, choosing the resistors, you need to understand this. Otherwise, I suggest you to review the voltage divider theory.

For instance, see IMG2 in my previous post. If we were to design a single voltage divider for the 5VDC, i.e, 50% of the 10V source, you generally choose R1 = R2., and that would be the design equation.

True or False, Inheritance refers to subclasses passing on characteristics to their parent class

Answers

This is false!

Hope this helped!

The company is especially concerned about the following:

Account management. Where will accounts be created and managed?

How will user authentication be impacted? Will users still be able to use their current Active Directory credentials to sign into their devices and still access resources on the local Active Directory network?

Securing authentication in the cloud.

Address the following based on the given information:

Explain how you can implement a Microsoft Intune device management solution and still allow Tetra Shillings employees to use their existing on premises Active Directory credentials to log onto the local network.

What controls and methods are available Azure Active Directory and Intune for controlling access to resources?

What Methods are available in Intune to detect when user accounts get compromised.

What actions can be taken to prevent compromised credentials from being used to access the network.

Answers

To implement a Microsoft Intune device management solution and still allow Tetra Shillings employees to use their existing on-premises Active Directory credentials to log onto the local network, Azure AD Connect can be used. Azure AD Connect is a tool that synchronizes on-premises Active Directory with Azure AD. This allows users to use their on-premises Active Directory credentials to log into Azure AD and access resources in the cloud. Once the synchronization is set up, users can use their existing credentials to sign into their devices and access resources on the local Active Directory network.
Azure Active Directory and Intune offer various controls and methods for controlling access to resources. Azure AD provides identity and access management capabilities such as conditional access, multi-factor authentication, and role-based access control. Intune allows the administrator to enforce device compliance policies, control access to company data, and secure email and other corporate apps on mobile devices. These controls can be applied to devices enrolled in Intune, ensuring that only authorized users can access company resources.
Intune offers several methods to detect when user accounts get compromised, including:
Conditional access policies: Intune allows administrators to create conditional access policies that can detect when a user account has been compromised based on various conditions such as location, device, and sign-in risk. If a policy violation is detected, the user can be prompted for additional authentication or access can be denied.
Device compliance policies: Intune can check devices for compliance with security policies such as encryption, passcode requirements, and device health. If a device is found to be non-compliant, access can be blocked until the issue is resolved.
Microsoft Defender for Identity: This is a cloud-based service that uses machine learning to detect suspicious activity and potential threats in real-time. It can alert administrators when a user account has been compromised and provide recommendations for remediation.
To prevent compromised credentials from being used to access the network, the following actions can be taken:
Enforce strong password policies: Intune allows administrators to enforce password policies such as length, complexity, and expiration. This can prevent attackers from guessing or cracking weak passwords.
Implement multi-factor authentication: Multi-factor authentication adds an extra layer of security by requiring users to provide additional information, such as a code sent to their phone or biometric data, to verify their identity. This can prevent attackers from using stolen credentials to access resources.
Monitor and respond to security events: Azure AD and Intune provide logs and alerts for security events. Administrators should regularly monitor these events and respond promptly to any suspicious activity.
Educate users: Employees should be educated on the importance of strong passwords, phishing prevention, and other security best practices to prevent attacks on their accounts.

Why should we care about information being represented digitally? How does this impact you personally?

Answers

information digitally represented shows a level of understanding i.e it eases the stress of complexity. It is more interpretable.

it has a great impact on users personal since use can use and interpret information well as compared to other forms of represention

Reasons why the adoption of digital information representation should be made paramount include ; large storage, accessibility and retrieval among others.

Digital information may be explained to collection of records and data which are stored on computers and other electronic devices which makes use of digital storage components such as memory cards, hard drive and cloud services.

The advantages of digital data representation include :

Large storage space : Digital data representation allows large chunks of information to be kept and stored compared to traditional mode of data storage.

Easy accessibility : Digital information representation allows users to access and transfer data and stored information more easily and on the go as it is very easy to access and transfer information seamlessly to other digital devices.

Data stored digitally allows for easy manipulation and transformation of data as digital information allows for more orderly representation of information.

The personal impact of digital information from an individual perspective is the large expanse of storage it allows and ease of retrieval.

Learn more : https://brainly.com/question/14255662?referrer=searchResults

Assume the variable s is a String and index is an int. Write an if-else statement that assigns 100 to index if the value of s would come between "mortgage" and "mortuary" in the dictionary. Otherwise, assign 0 to index.

Answers

Using the knowledge in computational language in python it is possible to write a code that Assume the variable s is a String and index is an int.

Writting the code:

Assume the variable s is a String

and index is an int

an if-else statement that assigns 100 to index

if the value of s would come between "mortgage" and "mortuary" in the dictionary

Otherwise, assign 0 to index

is

if(s.compareTo("mortgage")>0 && s.compareTo("mortuary")<0)

{

   index = 100;

}

else

{

   index = 0;

}

See more about JAVA at brainly.com/question/12975450

#SPJ1

Assume the variable s is a String and index is an int. Write an if-else statement that assigns 100 to

you are assigned by your teacher to perform the assembly of all the parts of the computer in preparation for the hands on activity.you have noticed that the action you have taken needs to be improved.

action to the problem\tasks:​

Answers

Answer:

answer it yourself or ask your teacker

Explanation:

Which phrase best describes a data scientist?
A. A person who develops advanced computing languages
B. A person who designs and develops hardware for computers
C. A person who builds and installs the memory chips for household
appliances
OD. A person who uses scientific and statistical methods to analyze
and interpret large, complex digital data sets
W
SUBMIT

Answers

Answer:

D. A person who uses scientific and statistical methods to analyze and interpret large, complex digital data sets.

Explanation:

discuss seven multimedia keys​

Answers

Answer:

Any seven multimedia keys are :-

□Special keys

Alphabet keys

Number keys

□Control keys

Navigation keys

Punctuation keys

Symbol keys

High-level modulation is used: when the intelligence signal is added to the carrier at the last possible point before the transmitting antenna. in high-power applications such as standard radio broadcasting. when the transmitter must be made as power efficient as possible. all of the above.

Answers

Answer:

Option d (all of the above) is the correct answer.

Explanation:

Such High-level modulation has been provided whenever the manipulation or modification of intensity would be performed to something like a radio-frequency amplifier.Throughout the very last phase of transmitting, this then generates an AM waveform having relatively high speeds or velocity.

Thus the above is the correct answer.

Other Questions
PLEASE NO LINKS I RLLY NEED HELP26. Type of music that shaped the Harlem Renaissance(0.5 Points)A. JazzB. PopC. Rock27. Wrote the moving novel "Their Eyes Were Watching God."(0.5 Points)A. HughesB. HurstonC. Armstrong true or false? adjacency list a linked list that identifies all the vertices to which a particular vertex is connected; each vertex has its own adjacency list. group of answer choices Should the U.S. have used the atomic bomb on Japan? Why or why not? the area of triangle is 38.5 cm. help me solve this question. thanks Use the present tense of the verbs from the list below to tell activities Use the present tense of the verbs from the list below to tell activities that you (je), you and afriend (nous) and your cousins (ils) do. Write complete sentences in French. You must use eachverb at least once, each subject (je, nous, ils) at least once, and your sentences must makesense!rendre visite quelqu'undescendreobir finirmaigrirgrossirvendremanger Please help me Thank u qu funcin de la lengua predomina en el siguiente?Ejemplo: Luisa, puedes limpiar la mesa y lavar los trastes por favor? ASAP!!A student investigated the effect of different pH on the rate of amylase activity. They followed the method below.a. Known volumes and concentrations of starch and amylase solutions were placed in water baths at 37oC.b. Buffer solutions of pH 5-9 were placed in different starch solutions.c. Starch solutions and amylase solutions were mixed.d. Every 10 seconds they tested the mixture for the presence of starch and the results were recorded.Identify a control variable that has been stated in the method and explain why it is important that it is controlled. Which graph represents the function f(x) = |x| 2? why did the lavabit secire email phone app go out of business The concept of __________________ relates to explanations or interpretations of past events that are open to debate. Hamlet questions 1. Read lines 312 through 316 in Act III, Scene iii.Knowing that "limed" refers to a bird trappedwith a lime-based paste, what is the significanceof this use of figurative language to characterizethe king? Explain how these lines createmeaning (1) At the local nursery, 1/2 of the plants for sale are flowers and another 1/10 of them arebushes. What fraction of the plants for sale are either flowers or bushes? Provide sensitivity analysis showing how stock value varies with different discount rates and growth rates. 8.Comparing your estimation with the stock price on May 1, 2022, show whether the stock is undervalued or overvalued. Determine your trading strategy based on your estimation. a nurse is monitoring the client's progression of human immunodeficiency virus (hiv). what debilitating gastrointestinal condition found in up to 90% of all aids clients should the nurse be aware of? One of the greatest challenges for any therapist treating an individual with paranoid personality disorder is in A doctor claims that the mean number of hours of sleep that seniors in high school get per night differs from the mean number of hours of sleep college seniors get per night. to investigate, he selects a random sample of 50 high school seniors from all high schools in his county. he also selects a random sample of 50 seniors from the colleges in his county. he constructs a 95% confidence interval for the true mean difference in the number of hours of sleep for seniors in high school and seniors in college. the resulting interval is (0.57, 1.25). based upon the interval, can the doctor conclude that mean number of hours of sleep that seniors in high school get per night differs from the mean number of hours of sleen college seniors net ner night? Exercise 1 Use the spelling rules in this lesson to spell the words indicated.knot + -ed according to research, it appears that people in the minority the norms of the dominant group and learn to be people in their own group. group of answer choices internalize; prejudiced against are prejudiced against; always tolerant of reject; accepting of externalize; critical of AB is parallel to DC.AB = :5pDC = pDA = 2q - pa) Find CB in terms of q and p.Simplify your answer.Note: Ignore arrows above vectors eg write PQ, not PQ2q+3pAB>b) P is the midpoint of AD.AQ: QB = 2:3Show that PQ is parallel to CB.P D