Motor controllers are typically which
of the following?
A. Installed on motor housings
B. Installed in enclosures
C. Installed under floors by motors
D. Installed exposed in manufacturing plants

Answers

Answer 1

Answer:

The enclosure of the must protect the windings, bearings, and other mechanical parts from moisture, chemicals, mechanical damage and abrasion from grit. NEMA standards MG1-1.25 through 1.27 define more than 20 types of enclosures under the categories of open machines, totally enclosed machines, and machines with encapsulated or sealed windings.


Related Questions

1. Even Subarray A subarray is a contiguous portion of an array. Given an array of integers, determine the number of distinct subarrays that can be formed having at most a given number of odd elements Two subarrays are distinct if they differ at even one position their contents. For example, if numbers [1, 2, 3, 4] and the maximum number of odd elements allowed, k 1, the following is a list of the 8 distinct valid subarrays: [[1], [21, [3], [4], [1,2], [2, 31, [3, 4], [2, : Function Description Complete the function evenSubarray in the editor below. The function must return the number of distinct subarrays that can be formed per the restriction of k. evenSubarray has the following parameter(s): numbers[numbers[0....numbers[n 11 k: the maximum number of odd elements that can be in a subarray an array of integers Constraints 7 sns 1000 1 sksn 1 s numbers[i]s 250 /* Complete the 'evenSubarray' function below. * The function is expected to return an INTEGER. The function accepts following parameters : 1. INTEGER_ARRAY numbers 2. INTEGER k */ public static int evenSubarray(List numbers, int k) f

Answers

Determine the number of potential contiguous subarrays with product smaller than a specified amount K given an array of positive values.

// CPP program to count subarrays having

// product less than k.

#include <iostream>

using namespace std;

int countsubarray(int array[], int n, int k)

{

   int count = 0;

   int i, j, mul;

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

       // Counter for single element

       if (array[i] < k)

           count++;

       mul = array[i];

       for (j = i + 1; j < n; j++) {

           // Multiple subarray

           mul = mul * array[j];

           // If this multiple is less

           // than k, then increment

           if (mul < k)

               count++;

           else

               break;

       }

   }

   return count;

}

// Driver Code

int main()

{

   int array[] = { 1, 2, 3, 4 };

   int k = 10;

   int size = sizeof(array) / sizeof(array[0]);

   int count = countsubarray(array, size, k);

   cout << count << "\n";

}

Learn more about array here-

https://brainly.com/question/19570024

#SPJ4

In this program you are to simulate a 2-pass assembler in C++. The input to this program is an assembly language program (see the handout on SMC 68000) and the output should include a symbol table and the machine code version of the input. You have to echo the input. Do file I/O You are implementing two classical algorithms (Fig. 6.1 & Fig 6.2). INPUT ORG MOVE TRAP MOVE MOVE ADD MOVE ADDI TRAP TRAP END S00000500 #79, $00002000 #1 DO, S00002004 S00002000, DO S00002004, DO DO, S00002002 #18,$00002002 #2 #0 READLN (Y), INPUT INTO DO STORE DO IN LOCATIONY FETCH VARIABLE I FOR THE AD ADD Y+1 LOOP1 STORE THE SUM IN X LOOP2 ADD 18 TOX PRINT X STOP OUTPUT Address Machine code Operands Instructions 00000500 33FC 4F MOVE #79, s00002000

Answers

Using the knowledge in computational language in C++ it is possible to write a code that  should include a symbol table and the machine code version of the input.

Writting the code:

#include< stdio.h>

#include< string.h>

#include< conio.h>

void main()

{

char *code[9][4]={

{"PRG1","START","",""},

{"","USING","*","15"},

{"","L","",""},

{"","A","",""},

{"","ST","",""},

{"FOUR","DC","F",""},

{"FIVE","DC","F",""},

{"TEMP","DS","1F",""},

{"","END","",""}

};

char av[2],avail[15]={'N','N','N','N','N','N','N','N','N','N','N','N','N','N','N'};

int i,j,k,count[3],lc[9]={0,0,0,0,0,0,0,0,0},loc=0;

clrscr();

printf("----------------------------------------------------\n");

printf("LABEL\t\tOPCODE\n");

printf("----------------------------------------------------\n\n");

for(i=0;i< =8;i++)

{

for(j=0;j< =3;j++)

{

printf("%s\t\t",code[i][j]);

}

j=0;

printf("\n");

}

getch();

printf("-----------------------------------------------------");

printf("\nVALUES FOR LC : \n\n");

for(j=0;j< =8;j++)

{

if((strcmp(code[j][1],"START")!=0)&&(strcmp(code[j][1],"USING")!=0)&&(strcmp(code[j][1],"L")!=0))

lc[j]=lc[j-1]+4;

printf("%d\t",lc[j]);

}

printf("\n\nSYMBOL TABLE:\n----------------------------------------------------\n");

printf("SYMBOL\t\tVALUE\t\tLENGTH\t\tR/A");

printf("\n----------------------------------------------------\n");

for(i=0;i< 9;i++)

{

if(strcmp(code[i][1],"START")==0)

{

printf("%s\t\t%d\t\t%d\t\t%c\n",code[i][0],loc,4,'R');

}

else if(strcmp(code[i][0],"")!=0)

{

printf("%s\t\t%d\t\t%d\t\t%c\n",code[i][0],loc,4,'R');

loc=4+loc;

}

else if(strcmp(code[i][1],"USING")==0){}

else

{loc=4+loc;}

}

printf("----------------------------------------------------");

printf("\n\nBASE TABLE:\n-------------------------------------------------------\n");

printf("REG NO\t\tAVAILIBILITY\tCONTENTS OF BASE TABLE");

printf("\n-------------------------------------------------------\n");

for(j=0;j< =8;j++)

{

if(strcmp(code[j][1],"USING")!=0)

{}

else

{

strcpy(av,code[j][3]);

}

}

count[0]=(int)av[0]-48;

count[1]=(int)av[1]-48;

count[2]=count[0]*10+count[1];

avail[count[2]-1]='Y';

for(k=0;k< 16;k++)

{

printf(" %d\t\t %c\n",k,avail[k-1]);

}

See more about C++ at brainly.com/question/29897053

#SPJ1

How many elements are there in the following array? int[[ matrix = new int[5][5]; a. 14 b. 20 c. 25 d. 30

Answers

There are 25 items in the following array.

What are the components of an array?

Each component of an array is referred to as an element, and each element can be accessed using a different integer index. The previous image serves as evidence that counting begins at 0. For instance, accessing the ninth element would begin at index 8, which.

What does an element of a C array signify?

The definition of an array in C allows for the collection of multiple objects of the same type. These entities or things may contain both user-defined data types, like structures, and common data types, including int, float, char, and double.

To know more about  array visit:-

https://brainly.com/question/13107940

#SPJ4

________ records the source, format, assumptions and constraints, and other facts about the data.
A) Clickstream data
B) Dimensional data
C) Outsourced data
D) Metadata

Answers

Source, format, assumptions, limitations, and other details about the data are all recorded in the metadata.

An illustration of metadata is ?

Author, date of creation, date of modification, and file size are a few instances of fundamental information. For unstructured data, such as pictures, videos, web pages, spreadsheets, etc., metadata is also used. Meta tags are a common way for metadata to be added to web pages.

Which 3 kinds of metadata are there?

Metadata can be divided into three categories: structural, administrative, and descriptive. Resources can be found, recognized, and chosen thanks to descriptive metadata. Title, author, and subjects are a few examples of its components.

To know more about Metadata  visit:-

https://brainly.com/question/14699161

#SPJ4

Which of these accounts would appear in the Balance Sheet columns of the end-of-period spreadsheet?
: Consulting Revenue
: Prepaid Insurance
: Rent Expense
: Fees Earned

Answers

Prepaid Insurance would appear in the Balance Sheet columns of the end-of-period spreadsheet.

What is written in the worksheet's balance sheet column?

The accounts for a company's balance sheet and income statement are listed in the first column. Cash, accounts receivable, inventory, accounts payable, and owner's capital are among the balance sheet accounts. Sales, marketing costs, interest, and taxes are all included in the income statement accounts.

In a balance sheet, there are two columns. The company's assets are listed in the column on the left. Liabilities and owners' equity are listed in the column to the right. Assets are equal to the sum of the liabilities and the owners' equity.

To know more about balance sheet column, refer:

https://brainly.com/question/14958962

#SPJ4

fill in the blank: ______ is used to measure the size of your potential audience.

Answers

The size of the audience that social media marketing may effectively target for your company and the fine-grained targeting choices offered by social ad platforms.

One of the most effective methods for audience targeting has been the translation of job title targeting to keyword research. The five primary strategies that marketers employ to distinguish and categorize target markets are undifferentiated marketing, also known as mass marketing, differentiated marketing, focused marketing (also known as niche marketing), and micro marketing (hyper-segmentation). Markets can be categorized in a variety of ways to find the right target market. The five types of market segmentation are demographic, psycho-graphic, behavioral, geographic, and photographic. The task must be completed using ordinal numbers, also known as numerous ordinals in Spanish, which represent a noun's rank. For instance, ordinal numbers in English are first, second, third, etc.

Learn more about Mass marketing here:

https://brainly.com/question/29841445

#SPJ4

____ is a device designed to remove airborne pollutants from smokestack emissions. A) A tall stack B) An air filter C) A boiler D) A scrubber E)

Answers

Answer:

Scrubber

Explanation:

I think that it is a scrubber. I think it’s a scrubber since, a air filter is typically used to clean the air and I think is in a house, a tall stack doesn’t make sense for the answer and a boiler would not be designed just for removing airborne pollutants from smokestack emissions. This is why I think it’s a scrubber.

All of the following involve tasks for network administration, EXCEPT ________.
A) installing new computers and devices on the network
B) updating and installing new software on the network
C) setting up proper security for a network
D) purchasing initial equipment for the network

Answers

The following activities involve network administration, EXCEPT for Buying the network's first hardware

What does an network administrator do?

The day-to-day management of these networks is the responsibility of computer systems and network administrators. They plan, set up, and maintain an organization's computers, including LANs, WANs, network nodes, intranets, and other systems for data communication.

What do network administration abilities entail?

Both conventional systems and servers and cloud-based servers are supported by them. You'll require technical expertise in computer systems, software, routing, and switching, as well as soft abilities in communication, problem-solving, and analysis, to succeed in this position.

To know more about network administrator visit:

https://brainly.com/question/14093054

#SPJ4

when you create a ____ report, the records must have been sorted in order by a key field.

Answers

The records must have been arranged in chronological order by a key field before you can construct a control break report.

A key field in a table is what?

A field or group of fields with values that are distinctive across the whole table constitute a primary key. Because each record has a unique value for the key, key values can be used to refer to whole records. There can be only one primary key per table.

What in SQL is a key field?

Key-fields indicates the column(s) that each uniquely identify the relation's rows. If more than one column is necessary to identify a row specifically, the column values are separated by spaces.

To know more about key field visit:-

https://brainly.com/question/13645844

#SPJ4

Implement a class Bug that models a bug climbing up a pole. Each time the up member function is called the bug climbs 10 cm. Whenever it reaches the top of the pole (at 100 cm), it slides back to the bottom. Also, implement a member function reset() that starts the Bug at the bottom of the pole and a member function get_position that returns the current position. (Fill in the code for the functions with dotted bodies) #include using namespace std; class Bug { public: int get position() const; void reset(); void up(); private: int position = 0; }; int Bug::get position() const { } void Bug: : reset() { } void Bug:: up) { } int main() { Bug bugsy; Bug itsy bitsy; bugsy.reset(); itsy bitsy.reset(); bugsy.up(); bugsy.up(); cout << bugsy.get position() << endl; cout << "Expected: 20" << endl; itsy bitsy.up(); itsy bitsy.up(); itsy bitsy.up(); cout << itsy bitsy.get position() << endl; cout << "Expected: 30" << endl; for (int i = 1; i = 8; i++) { bugsy.up(); } cout << bugsy.get_position() << endl; cout << "Expected: 0" << endl; bugsy.up(); cout << bugsy.get_position() << endl; cout << "Expected: 10" << endl; return 0; }

Answers

Here's the code for the class Bug with the implemented member functions:

#include <iostream>

using namespace std;

class Bug {

public:

   int get_position() const { return position; } // returns current position

   void reset() { position = 0; } // sets position to 0

   void up() {

       position += 10;

       if (position >= 100) position = 0; // if at top of pole, slide back to bottom

   }

private:

   int position = 0;

};

int main() {

   Bug bugsy;

   Bug itsy_bitsy;

   bugsy.reset();

   itsy_bitsy.reset();

   bugsy.up();

   bugsy.up();

   cout << bugsy.get_position() << endl;

   cout << "Expected: 20" << endl;

   itsy_bitsy.up();

   itsy_bitsy.up();

   itsy_bitsy.up();

   cout << itsy_bitsy.get_position() << endl;

   cout << "Expected: 30" << endl;

   for (int i = 1; i <= 8; i++) {

       bugsy.up();

   }

   cout << bugsy.get_position() << endl;

   cout << "Expected: 0" << endl;

   bugsy.up();

   cout << bugsy.get_position() << endl;

   cout << "Expected: 10" << endl;

   return 0;

}

In this code, the class Bug has three member functions: get_position(), reset(), and up(). The get_position() function returns the current position of the bug, the reset() function sets the position of the bug back to the bottom of the pole, and the up() function increases the position of the bug by 10cm, and if it's at the top of the pole it slide back to bottom.

Learn more about code, here https://brainly.com/question/497311

#SPJ4

10) Open-source software is free from terms and conditions. The statement is(Select correct options )
· True
· False
11) One of the good practices is to understand competition through Landscaping. (Select correct options )
· True
· False

Answers

10 - The given statement is True, because, The given statementsoftware is free from any restrictions and is available to the public with no licensing fees or other costs. This makes it freely available for anyone to use, copy, modify, and even redistribute without being subject to any terms or conditions.

11 - The given statement is True, because, Landscaping is an important practice to understand the competitive landscape in any industry. It involves analyzing the market and the existing competitors, their products and services, customer base and target markets, as well as their strategies, strengths, weaknesses, and tactics. It helps businesses understand the bigger picture and identify potential opportunities for growth, as well as potential threats that should be taken into consideration.

Learn more about software :

https://brainly.com/question/24852211

#SPJ4

Which of the following should Tim use to italicize text?
Group of answer choices
O Select some italicized text in the document, press the Format Painter button, then select the text to be italicized.
O Select the text that needs to be italicized, press the Format Painter button in the Clipboard group of the Home tab, then select some italicized text in the document.
O Press the Format Painter button in the Clipboard group of the Home tab, press the Italic button in the Font group of the Home tab, then select the text that needs to be italicized.
O Select the text to be italicized, then press the Text Effects button in the Font group of the Home tab.

Answers

The option that Tim should  use to italicize text is Option C: Press the Format Painter button in the Clipboard group of the Home tab, press the Italic button in the Font group of the Home tab, then select the text that needs to be italicized.

What is the process about?

In order to italicize text using the correct option, you'll need to have a document open in a word processing program such as Microsoft Word, or similar software. Once you have the document open, you can select the text you want to italicize by highlighting it with your cursor.

The above is the most straightforward way to italicize text in a document, it simply requires selecting the text and then clicking the "Italic" button in the font group of the home tab. This will apply the formatting to the selected text.

The other options are not correct, Format Painter copies the format of selected text and applies it to another selection, and Text Effects button is used to apply special effects to text, such as shadows, glow and 3D rotation, but not to format the text as Italic.

Learn more about italicizing from

https://brainly.com/question/396808

#SPJ1

html is a _____ language used for creating web pages​

Answers

Answer:

Computer

Explanation:

HTML is one of the many computer languages

The ________ and ________ operators can be used to increment or decrement a pointer variable.
A) addition, subtraction
B) modulus, division
C) ++, --
D) All of these
E) None of these

Answers

The  + +  and  - - operators can be used to increment or decrement operator a pointer variable.

Can the ++ operator be used with pointers?

The increment (++) operator raises a pointer's value by the size of the data object it points to. For instance, the ++ causes the pointer to refer to the third element in an array if it is currently pointing to the second element.

What do the & and * operators in pointers mean?

With pointers, the special operators * and & are both employed. For instance, the & unary operator yields the operand's memory location. The memory address of the variable balance is added by bal=&balance; to bal. The variable is located at this address in the computer's internal memory.

To know more about operator  visit:-

https://brainly.com/question/14294555

#SPJ4

many types of software and devices use _________ to scramble your data or communication.

Answers

To encrypt your data or connection, many different software and hardware kinds are used.

Definitions and examples of software

Applications, scripts, and other programs that operate on a device are collectively referred to as "software." It might be considered the changeable component of a computer, whereas hardware is the constant component. System software and application software are the two primary subcategories of software.

Which two categories best describe software?

System software and application software are the two main groups of programs that make up computer software. Programs known as systems software make it easier to program applications and manage the computer system's resources.

To know more about Software visit:

https://brainly.com/question/1022352

#SPJ4

In the address http://www.company.com/clients.html, which of the following is the top-level domain?
A) .com
B) company.com
C) www
D) http

Answers

In the address http://www.company.com/clients.html, which of the following is the top-level domain is .com.

Which top level domain among the following is the most popular?

Dot-coms swiftly took over as the top-level domain that people most frequently used as the internet's use and popularity continued to rise. net – Dot-nets, which stand for "network," were created for organizations that engage with network technologies, such as infrastructure providers or internet service providers (ISPs).

Which TLD is the ideal one?

Commercial is the meaning of the dot com. People consider it reputable, trustworthy, and more memorable than other obscure domain extensions, making it one of the greatest TLD domains to utilize. According to a Growth Badger analysis, the.com TLD is the most reliable.

To know more about domain visit:-

https://brainly.com/question/14466182

#SPJ4

a tool used by installers to remove the case from a desktop pc is a ____.

Answers

Preventive maintenance is a tool used by installers to remove the case from a desktop computer.

What are a computer and a desktop?

Any user's computer, regardless of the operating system, can be a desktop PC (Windows, Mac, Linux, or case design). For this generic usage, the phrase "PC" alone would be more commonplace, whereas the terms "Windows desktop," "Mac desktop," etc. would be more specific. desktop computer.

Is a desktop more advanced than a PC?

The optimum performance is only available from desktop machines. Furthermore, if you want a laptop with features on par with a desktop, be prepared to pay far more for the same performance. It's crucial to keep in mind that the importance of power will mostly rely on how your computer will be used.

To know more about Desktop computer visit:

brainly.com/question/15707178

#SPJ4

Enterprise software includes a database and thousands of predefined ________________.
A. training programs
B. spreadsheets
C. customer lists
D. supplier lists
E. business processes

Answers

Thousands of predefined business procedures are included in enterprise software, along with a database.

What is a part of an enterprise system?

In order to create an information system based on business software packages, enterprise systems (ES) link all facets of an organization's activities together. Such software facilitates information flows, business processes, and offers data analytics and reporting to improve business performance.

What is the Enterprise System application?

Large-scale software programs known as enterprise systems are capable of monitoring and managing all of a company's intricate business activities. For the purpose of business automation, these systems serve as a single command center that streamlines reporting and decision-making.

To know more about software visit:-

https://brainly.com/question/1022352

#SPJ4

8. Complementary Pairs
A pair of strings form a complementary pair if there is some permutation of their concatenation that is a palindrome. For example, the strings "abac" and "cab" form a complementary pair since their concatenation is "abaccab" which can be rearranged to form a palindrome, i.e., "bcaaacb".
Given an array of n strings, find the number of complementary pairs that can be formed.
Note: Pairs of strings formed by indices (i, j) and (j, i) are considered the same.
Example
Consider stringData = ["abc", "abcd", "bc", "adc"].
The following complementary pairs can be formed:
("abc", "abcd"), concatenated string = "abcabcd" - arranged as a palindrome -> "abcdcba".
("abc", "bc"), concatenated string = "abcbc" -> "bcacb".
- ("abcd", "adc"), concatenated string = "abcdadc" -> "acdbdca".

Answers

countComplementaiyPairs() definition :

Assign countPairs to 0.

Loop over the words inner and outer loop.

concatinatedWord = inner and outer loop.

Check if concatinatedWord is palindrome or not.

If it's a palindrome, then increment the countPair.

CODE

#include <iostream>

#include <bits/stdc++.h>

using namespace std;

int isPalindrome(string Str)

{

  string rev= Str;

  reverse(rev.begin(), rev.end());

  //reverse and original string same then return  1

  if (Str == rev) {

      return 1;

  }

return 0;

}

int countComplementaiyPairs(string *words,int len)

{

   int countPair=0;

  //loop over the words

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

 {

     //loop over the words

     for(int j=0;j<len;j++)

     {

         //concatinatedWord

         string concatinatedWord = words[i]+words[j];        

        //check concatinatedWord is palindrome or not

         if(isPalindrome(concatinatedWord)==1 && j!=i)

         {            

             countPair++;

         }

     }

 }

  return countPair;

}

int main()

{

  //given words

  string words[]= {"abcd","dcba","lls","s","sssll"};

  //length words array

  int len =sizeof(words)/sizeof(words[0]);

  //call and print the values  

 cout<<countComplementaiyPairs(words,len);

  return 0;

}

To know more about CODE visit-

brainly.com/question/29590561

#SPJ4

What is one of the benefits of creating digital thumbnail collections rather than using a darkroom?


Digital thumbnails make you appear less professional.


The software can instantly make your photos more artistic.


You can easily steal someone’s thumbnails.


They can be easily manipulated, edited, and altered.

Answers

Answer:

should be: The software can instantly make your photos more artistic.

The software can instantly make your photos more artistic is one of the benefits of creating digital thumbnail collections rather than using a darkroom. Hence, option B is correct.

What is a digital thumbnail?

A digital image's thumbnail was a scaled-down replica of the full image that could be quickly viewed while exploring a collection of images. Thumbnails are used by even the running system on your computer. You can see from the aforementioned example that when accessing this folder of photographs, the computer displays a scaled-down version of the original file.

For instance, the system Camera app shows a preview of the most recent photo that was taken. A thumbnail image is a scaled-down version of the photo that is included in the output image file for usage by other software and is encoded in a compressed manner.

The term "thumbnail size" refers to the size of a human thumbnail and is used to express how small an image is, as in, it's that small.

Thus, option B is correct.

For more information about  digital thumbnail, click here:

https://brainly.com/question/30172886

#SPJ2

CSS was first proposed as a standard by the W3C in ________.
a. 1996
b. 2002
c. 1992
d. none of these

Answers

The correct option is a. 1996, is when the W3C first suggested that CSS be made into a standard.

Define the CSS and its features?

CSS, or cascading style sheets, is an acronym.

Many hours of work can be saved by CSS. It has the ability to simultaneously control the layout of several web pages.The presentation of Web pages, including their colors, design, and fonts, is described using the CSS language. It enables the presentation to be customized for various display types, including big screens, small screens, and printers. Any XML-based markup language can be used with CSS, which is independent of HTML. It is simpler to maintain websites, share style sheets across pages, and adapt pages to various environments thanks to the separation of HTML and CSS.1996, is when the W3C first suggested that CSS be made into a standard.

There are three ways to include CSS in HTML documents:

Inline - Using the style attribute with in HTML elementsInternal - Using a <style> element in the <head> sectionExternal - Using a <link> element to connect to an external CSS file

To know more about the CSS, here

https://brainly.com/question/10178652

#SPJ4

A circuit is set up to test two different resistors. Resistor 1 has a resistance of 4 ohms and resistor 2 has a resistance of 2 ohms. Which resistor will have the bigger current flowing through it, if the potential difference is constant?.

Answers

A circuit is set up to test two different resistors. Due to its lower resistance, resistor 2  with 2 ohms resistance has a larger share of the current. Resistance is a force that opposes the movement of current. It acts as a gauge for the difficulty of current flow in this way.

According to ohms law

V= IR

V is the potential difference

I is the current

R is the resistance

This tells that they are connected in parallel since they have the same potential difference.

Let assume V = 20V

For the 4ohms resistor

I = V/R

I = 20/4

I = 5A

For the two ohms resistor

I = V/R

I = 20/2

I = 10A

This demonstrates that the 2-ohm resistor will have a larger current since current increases with decreasing load and decreases with increasing load.

To learn more about resistance click here:

brainly.com/question/4289257

#SPJ4

The 2-ohm resistor will have a higher current since current increases with decreasing load and decreases with increasing load.

What are resistors?

A resistor is a passive two-terminal electrical component used in circuits to implement electrical resistance.

Resistor use in electronic circuits includes lowering current flow, adjusting signal levels, dividing voltages, biasing active devices, and terminating transmission lines.

So, in line with Ohms law:

V= IR

This demonstrates that they are connected in parallel since they have the same potential difference.

Let's suppose V = 20V

Regarding the 4-ohm resistor

I = V/R

I = 20/4

I = 5A

For the resistance of two ohms:

I = V/R

I = 20/2

I = 10A

Therefore, the 2-ohm resistor will have a higher current since current increases with decreasing load and decreases with increasing load.

Know more about resistors here:

https://brainly.com/question/24858512

#SPJ4

A user tells you that Microsoft Word gives errors when saving a file. What should you do next?
a. Install Windows updates that also include patches for Microsoft Word.
b. Ask the user when the problem first started.
c. Ask the user to save the error message as a screenshot the next time the error occurs and email it to you.
d. Use Task Manager to end the Microsoft Word program.

Answers

b. Ask the user when the problem first started.

The first step in troubleshooting a problem with Microsoft Word is to gather as much information as possible about the issue. Asking the user when the problem first started can help you determine if the issue is recent or has been occurring for a longer period of time. This information can be useful in identifying the cause of the problem and finding a solution. Other useful information to gather might include the version of Microsoft Word the user is using, any recent changes made to the computer or software, and any error messages that have been displayed. Once you have gathered this information, you can use it to narrow down potential causes and try different troubleshooting techniques to resolve the issue.

which of the following configures arial, verdana, or the default sans-serif font for an element?
font-face: Arial;
font-type: Arial, Verdana, sans-serif;
Correct font-family: Arial, Verdana, sans-serif;
font-typeface: Arial, Verdana, sans-serif;

Answers

Font-type: Arial, Verdana, Sans-Serif configures arial, verdana, or the element's default sans-serif font.

What is the CSS property's default color?

Through a browser's internal CSS stylesheet, the element's default color is typically set to black, a shade of black, or a color meant to stand out against the background color by default. The default color can vary from browser to browser.

Text color: Is it a CSS property?

The color property is used to modify a CSS font's color. The backdrop of the element is not changed by the color attribute; just the text color is. To set a color, you can use hexadecimal characters or CSS color keywords.

To know more about Verdana visit:-

https://brainly.com/question/14286094

#SPJ4

the ________ element is used with an object element to provide additional information.

Answers

To add further information, the _____ element is used with an object element. param . Commercial enterprises ought to reserve a.org domain name.

What is an example of further

At less than 5%, inflation is expected to continue to decline.

It is anticipated that the uprising will further harm the nation's reputation.

The economic policies of the administration have further lowered living standards.

They lacked the scientific experts needed to develop the technical equipment to their full potential.

The Post went on to say that Mr. Wood had grabbed and kissed an additional 13 women on February 7th.

We must handle matters like insurance in more detail in order to make a more accurate comparison.

His speech serves as another proof of his increasingly authoritarian style.

Know more about  Commercial enterprises Visit:

https://brainly.com/question/26168221

#SPJ4

Workspace O Scenario The CEO of your organization has run out of disk space on his Windows 10 desktop system. To accommodate his data storage needs, you have decided to implement Storage Spaces. Motherboard Front Front Back Dive Bays tack To do this, you have installed four 800 GB SATA hard disks in the system. In this lab, your task is to complete the following No Signal Detected Assign three of the 800 GB drives to a storage pool. Create a storage space named Extraspace from the storage pool. Assign drive letter S: to the storage space. Configure the storage space to use Parity for resiliency Set the storage to its maximum size Selected Component Shelf Explanation In this lab, your task is to complete the following: • Assign three of the 800 GB drives to a storage pool. • Create a storage space named ExtraSpace from the storage pool. • Assign drive letter S: to the storage space. • Configure the storage space to use Parity for resiliency. • Set the storage to its maximum size. Complete this lab as follows: 1. On the computer, click the power button. 2. In the search field on the taskbar, enter Storage Space. 3. Under Best match, select Manage Storage Spaces. 4. Select Create a new pool and storage space. 5. Deselect one of the four disks. 6. Select Create pool. 7. In the Name field, enter ExtraSpace (with no spaces in the name). 8. In the Drive letter drop-down list, select S:. 9. In the Resiliency type drop-down list, select Parity. 10. In the Size field, enter 2.3 TB. 11. Select Create storage space. Selected Done

Answers

Three of the 800 GB drives should be given to a storage pool. From the storage pool, make a storage space with the name Extraspace.

Program:

$disks = Get-PhysicalDisk -CanPool $true | Sort-Object deviceid | select -first ((Get-PhysicalDisk -CanPool $true).count/2).

How is a drive assigned to a storage pool?

Search for Storage Spaces in the taskbar's search box, then choose Storage Spaces from the list of results. To create a new pool and storage area, select Create. Choose Create pool after selecting the disks you want to add to the new storage area. Select a layout, then give the drive a name and letter.

How many disks are required to create a storage pool using the three-way mirror option?

For instance, a two-way mirror only needs a minimum of two disks, whereas a three-way mirror needs a minimum of five disks, ensuring quorum in the event of a communication breakdown between the disks.

To know more about storage visit:-

https://brainly.com/question/11049355

#SPJ4

PB Sample Budget Workshops.xlsx - Excel Tell me what you want to do... o x Sign in Share File Home Insert Page Layout Formulas Data Review View X Σ AutoSum - Calibri 11 A E' Wrap Text General HA HA Fill - Paste BIU Merge & Center - $ % 08 Insert Delete Format Clear Conditional Format as Cell Formatting Table Styles Styles Sort & Find & Filter Select Editing Clipboard Font Alignment Number Cells A3 X fo Workshop ID A B с D E F G H 1 J K L M N O P 0 R S T 1 Precision Building 2 Workshop Cost Per Person 3 Workshop ID Type 4 01-KT Kitchen 5 02-BT Bathroom 03-BD Bedroom 7 04-LD Laundry Room 8 05-LR Living Room/Great Room 9 06-GR Game Room 10 07-CL Closet Intervention 11 08-WL Wall Décor Lighting 12 Cost for each participant $ 25 $ 20 $ 20 $ 10 S 25 $ 15 $ 10 $ 15 Number of participants Total cost 41 $ 1,025 33 $ 660 19 $ 380 15 $ 150 25 $ 625 13 $ 195 28 $ 280 14 $ 210 TOTAL COSTS $ 3,315 Task Instructions 13 Add the Sheet Name header element to the left header section, and the text Page_ followed by the Page Number header element to the right header section. Click cell F1 to deselect the header to view the results. Workshops + Ready Ask me anything 0 o ^ * » 10:20 AM 1/1/2020

Answers

For Header in the Excel, Go to the Insert tab > Header & Footer.

What is Microsoft Excel?

Microsoft developed Microsoft Excel, a spreadsheet, for Windows, macOS, Android, and iOS. It has calculation or computation capabilities, graphing tools, pivot tables, and the Visual Basic for Applications macro programming language.

For Sheet Name, select the left header section > Select Sheet Name(From header & footer elements)

For Page Number, select the right header section > Select Page Number(From header & footer elements) > write Page_ before & > Then click cell F1 to deselect the header to view the result.

Learn more about Excel on:

https://brainly.com/question/24749457

#SPJ1

After noticing that many users were using insecure spreadsheets to keep track of passwords, your team wants your organization to adopt an open-source password management solution. You are drafting the Request for Change (RFC). In which section do you write about the end-user training plan

Answers

End-user acceptance plan, to guarantee the best possible balance between performance and risk.

Which device supplies sufficient power at the system level to allow for a graceful shutdown of the system?

When the utility power fails, the UPS can be thought of as a device that supplies backup power, allowing the system to shut down gracefully, preventing any data loss, and, most importantly, sustaining electrical power long enough to keep the necessary loads operational until the generator is back online.

Which gadget is used to provide a brief power outage?

When incoming power is interrupted, a computer can continue to function for at least a short while thanks to an uninterruptible power supply (UPS).

to know more about password management here:

brainly.com/question/29836274

#SPJ4

all relational tables satisfy the ____________________ requirements. T/F

Answers

True all relational tables satisfy the 1NF requirements requirements.

Are all relational tables compliant with the 1NF specifications?

The requirements of the 1NF are met by all relational tables. A table in 1NF that has a single-attribute primary key is automatically in 2NF since a partial dependency can only exist if the primary key is made up of several attributes.

The requirements of the 1NF are met by all relational tables. If a table is in 1NF and contains no partial dependencies, it is in 2NF. One or more attributes may be functionally reliant on non-key attributes in a table in 2NF, which is known as transitive dependency.

To know more about 1NF requirements visit:-

https://brainly.com/question/30051667

#SPJ4

in ____, data can move in both directions at the same time, such as with a telephone.

Answers

The simultaneous transmission of data in both directions along a signal carrier is made possible by full-duplex data transmission.

What can be said about transmission?

A transmission adjusts its gear ratio dependent on the vehicle's speed and accelerator input, or how far down the car's pedal is pushed, in order to maintain a sufficient engine RPM, or "revolutions per minute." This offers two benefits: Fuel use has decreased. The gear changes don't put too much strain on your engine. Sending engine power to the driveshaft and the back wheels is the function of any transmission (or axle halfshafts and front wheels in a front-wheel-drive vehicle). Gears inside the transmission change the ratio of engine speed and torque to drive-wheel speed and torque.

Know more about full-duplex Visit:

https://brainly.com/question/15219093

#SPJ4

Other Questions
The family has or have been arriving two or three at a time since last weekend In a spreadsheet create a function that generates for any value x the corresponding value y when y=12x+5.What is the value y when x=9? Simon LaVay research on brain differences of a small group of heterosexual and homosexual men ________________. Which of the following statements best explains why many people came to oppose prohibition?A. It was too difficult to find speakeasies in large citiesB. Too few federal agents were hired to enforce the ban on alcoholC. The bootlegging industry gave rise to widespread lawlessness and crimeD. More women began to drink during prohibition than before alcohol was outlawed helloooo i need heelpppp pleaseeeeee Under ___________ laws, minors who drink and drive are susceptible to penalties beyond those for adults.Zero ToleranceImplied Consentthe system senses a difference between where the driver is steering and the actual path of travel. Parking brake Give one possible reason why the population decreased in 1990 after it had reached its carrying capacity. What volume of hydrogen gas (measured at STP) would result from reacting 75.0g of sodium hydroxide with 50.0g of aluminum how far away does an S wave travel in 3 minutes The figure(Figure 1) is a graph of Ex. The potential at the origin is 0 V .E (V/m) 200 100 x (m) 01What is the potential at x=3.0m ?Express your answer using two significant figures. How does monetarism reduce inflation? the characteristics of a physically healthy person. What was the purpose of the Triple Entente? Tamara opens up several credit cards accounts at some of her favorite stores to get discounts and save money. What, if any, impact will this have on her credit score? What is it called when two or more organizations cooperate by integrating their IT systems, thereby providing customers with the best of what each can offer Who is the hardest worker in Animal Farm? what is the main idea of the page what causes the seasons What are 4 advantages or benefits of using social media? Was the British Raj positive or negative? Why do we need to improve cardiovascular fitness and muscular endurance?