My Dell tablet was not opening...... what was wrong with it??? What can i do now.... How it can be repaired? Please Telll

Answers

Answer 1

Answer:

it is stuck if its stuck just long press on the power button

Explanation:

Perform a hard reset

Disconnect the AC adapter or power cord, and remove the battery (for Dell laptop PCs). ... Press and hold the power button for 15-20 seconds to drain residual power. Connect the AC adapter or power cord and the battery (for Dell laptop PCs)

Answer 2
if it is stuck just hold onto the power button for acouple of seconds

Related Questions

str1=”Good” str2=”Evening” Does the concatenation of the above two strings give back a new string or does it concatenate on the string str1? How do you prove your point?

Answers

Answer:

It gives a new string

Explanation:

In programming; when two or more strings are concatenated by a concatenating operator, the result is always a new string.

From the question, we have that

str1 = "Good

str2 = "Evening"

Let's assume that + is the concatenating operator;

str1 + str2 = "Good" + "Evening" = "GoodEvening"

The result of concatenating str1 and str2 is a new string "GoodEvening" while str1 and str2 still maintain their original string value of "Good" and "Evening"

When you connect several home devices using a wireless router, what network topology are you using? A. bus B. mesh C. star D. ring

Answers

Answer:

Star Topology

Explanation:

Because the definition of Star Topoplogy is: In star topology each device in the network is connected to a central device called hub. Unlike Mesh topology, star topology doesn’t allow direct communication between devices, a device must have to communicate through hub. If one device wants to send data to other device, it has to first send the data to hub and then the hub transmit that data to the designated device.

Add "HTML" as most important heading and "computer science as least important heading . Change the color of all heading to red and align the heading to center using css styles..

Answers

Answer:

The solution is as follows:

<!DOCTYPE html>

<html>

<head>

<style>

h1, h2, h3, h4, h5, h6  {

 color: red;

 text-align: center;

}

</style>

</head>

<body>

<h1>HTML</h1>

<h2>Heading 2</h2>

<h3>Heading 3</h3>

<h4>Heading 4</h4>

<h5>Heading 5</h5>

<h6>computer science as least important heading</h6>

</body>

</html>

Explanation:

The most important heading in html is defined using h1 while the least is defined using h6.

As far as this question is concerned, h2 to h5 are not needed; however, I've included them as part of the solution.

The CSS Part of the solution

<style>

h1, h2, h3, h4, h5, h6  {

 color: red;  -> This changes the color of all headings (h1 to h6) to red

text-align: center; -> This centralizes all headings (h1 to h6)

}

</style>

--------------------- End of CSS

The html part of the solution

All headings from the most important (h1) to the least important (h6) are defined here

<h1>HTML</h1>

<h2>Heading 2</h2>

<h3>Heading 3</h3>

<h4>Heading 4</h4>

<h5>Heading 5</h5>

<h6>computer science as least important heading</h6>

Trace en su cuaderno una hoja de cálculo de A1 a D15, escriba en cada celda un valor entre 100.000 y 500.000, luego escriba las fórmulas para hallar halle los siguientes valores: Sumar celdas columna B Restar celdas A12 menos D3 Multiplique Celdas columna C por celdas columna D Divida las celdas A11 hasta A15 entre celdas D11 a D15

Answers

Answer:

Vincent is a digital media professional. His bosses always praise his artwork. His company has just taken on a new project. Vincent has some thoughts and ideas about this new project that he wants to discuss with the senior employees. What kind of skills should he use to pitch his ideas?

Explanation   i had this on a quiz and past

what does the U in fun stand for?​

Answers

Answer:

You and me

Explanation:

F is for friend and N is for anytime and anywhere

The value 5 is stored in a signed (2's complement) integer. The bits are shifted 4 places to the right. What is the resultant value (in decimal)? 0.3125

Answers

Answer:

The resultant value is 0

Explanation:

Solution

Given that:

Now

The +5 representation in signed 2's complement integer: 00000101

Thus

When we right shift then, 4 rightmost bit (0101) will be dropped.

The number after 4-bit right shift: 00000000

Therefore the resultant value after 4-bit right shift is "0" in decimal.

Write a code that calculates the Greatest Common Divisor (GCD) of two positive integers (user-defined inputs). Include an exception such that if their greatest common divisor equals to 1, it prints out the message, saying its GCD is 1.

Answers

Answer:

This program is written using Java programming language

import java.util.*;

public class calcGcd

{

   public static void main (String [] args)

   {

       int num1, num2;

       Scanner input = new Scanner(System.in);

       //Input two integers

       num1 = input.nextInt();

       num2 = input.nextInt();

       //Get least of the two integers

       int least = num1;

       if(num1 > num2)

       {

           least = num2;

       }

       //Initialize gcd to 1

       int gcd = 1;

       //Calculate gcd using for loop

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

       {

           if(num1%i == 0 && num2%i == 0)

           {

               gcd = i;

           }

       }

       if(gcd == 1)

       {

           System.out.print("GCD is 1");

       }

       else

       {

           System.out.print("GCD is "+gcd);

       }

   }

}

Explanation:

To calculate the GCD, the program uses a for loop that iterates from 1 to the smaller number of the user input.

Within this iteration, the program checks for a common divisor of the two user inputs by the iterating element

The GCD is then displayed afterwards;

However, if the GCD is 1; the program prints the message "GCD is 1"

Line by Line Explanation

This line declares two integer numbers

       int num1, num2;

This line allows user the program to accept user defined inputs        

Scanner input = new Scanner(System.in);

The next two line allows gets inputs from the user

       num1 = input.nextInt();

       num2 = input.nextInt();

To calculate the GCD, the smaller of the two numbers is needed. The smaller number is derived using the following if statement

       int least = num1;

       if(num1 > num2)

       {

           least = num2;

       }

The next line initializes GCD to 1

       int gcd = 1;

The GCD is calculated using the following for loop

The GCD is the highest number that can divide both numbers

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

       {

           if(num1%i == 0 && num2%i == 0)

           {

               gcd = i;

           }

       }

The following is printed if the calculated GCD is 1

       if(gcd == 1)

       {

           System.out.print("GCD is 1");

       }

Otherwise, the following is printed

       else

       {

           System.out.print("GCD is "+gcd);

       }

Identify at least five different Information Technology careers that you could pursue in your home state, and choose the three that appeal to you
the most. Out of the three, write a one-page essay describing which one would be your career choice and the educational pathway that you would
have to follow in order to obtain that career. Finally, identify at least three colleges, universities, or training programs that are suited to that career
choice. You can use the following resources to help you:​

Answers

Answer:Five careers within the Information Technology cluster that would be interesting to me are video game designer, software developer, database administrator, computer science teacher, and business intelligence analyst. Of those careers, being a video game designer, software developer, or business intelligence analyst sounds the most appealing to me. Out of all those choices, I think that being a business intelligence analyst seems the most interesting.

Business intelligence analysts work with computer database information, keeping it updated at all times. They provide technical support when needed and analyze the market and customer data. At times, they need to work with customers to answer any questions that they have or fix things as needed. The part that I would find most interesting would be collecting intelligence data from reports for the company for which I work. To complete the job, I would need to have great customer service skills, communication skills, critical thinking skills, and knowledge of computers.

Before I could find work as a business intelligence analyst, I would need to complete a bachelor’s degree in computer science to learn how to do computer programming and use other applications that I would need to know for the job. Some of the schools that have a great program for computer science are the University of California at Berkeley, Georgia Institute of Technology, and California Institute of Technology. Once I have completed a bachelor’s degree, I would continue on to get a master’s degree in the field, which would help me advance in my career and get promotions.

Explanation:

Write a program to read customer number, Name, loan amount, interest rate and time of repayment. Calculate and display the EMI .To calculate EMI, calculate interest amount using formula: Interest amount = loan amount(1+ rate/100)time . Then add Interest amount to loan amount and divide by time (in months).

Answers

Answer:

The programming language is not stated; however, I'll answer this question using Python programming language.

This program doesn't make use of comments (See Explanation Section for detailed explanation)

The program is as follows

name = input("Customer Name: ")

number = input("Customer Number: ")

loan = float(input("Loan Amount: "))

rate = float(input("Interest Rate: "))

time = int(input("Repayment Time [in months] : "))

Interest = loan * (1 + rate/100) ** time

EMI = (Interest + loan)/time

print("EMI: ", end='')

print(round(EMI,2))

Explanation:

This line prompts for customers' name

name = input("Customer Name: ")

This line prompts for customers'number

number = input("Customer Number: ")

This line prompts for loan amount

loan = float(input("Loan Amount: "))

The line prompts for the interest rate

rate = float(input("Interest Rate: "))

This line prompts for time of loan repayment

time = int(input("Repayment Time [in months] : "))

Using the given formula, this line calculates the interest amount

Interest = loan * (1 + rate/100) ** time

The EMI is calculated using this line

EMI = (Interest + loan)/time

This line prints the string "EMI: " without the quotes

print("EMI: ", end='')

The last line of the program prints the calculated value of EMI, rounding it up to 2 decimal places

print(round(EMI,2))

While Angela is making modifications to Katie’s Word document, she would like to inform Katie of the reasoning for the change. Which feature should Angela use? Track Changes email Comments Save File

Answers

Answer:

comments

Explanation:

Answer:

Comments

Explanation:

In order for a person to communicate with the owner of the document, the user can comment on the document to give reason why they may have changed something.

Hope this helps!

Martha is developing a software program in C++ and has a question about how to implement a particular feature. She performs an online search and finds a link to a site written by a programmer with posts about tips and tricks in using the C++ language. What kind of resource did she find? a forum a blog a tutorial an online help site

Answers

Answer:

A blog

Explanation:

A blog is a regularly updated website or web page, typically one run by an individual or small group, that is organised by posts.

Answer:

Martha found a blog

On hearing my name, you might be reminded of long queues at metro stations or food courts. Just as a human body has a name for each of its parts, similarly I am an entity that identifies the part of the program like keywords, operators, identifiers, punctuation, etc

Answers

Answer: The correct answer is STACK

Explanation: Stack is an abstract data type that serves as a collection of elements, with two principal operations: push and pop. Push adds an element to the collection while pop removes the most recently added element that was not yet removed.

In computing is a data structure used to store a collection of objects.

what is one current trend in information technology carriers?

Answers

Answer:

- employers expect that candidates should possess knowledge of various pathway careers.

Explanation:

Employers expect candidates.... that should be the answer to the question

A(n) _____ describes your core values and highest career goals. A. résumé B. objective statement C. qualifications profile D. personal mission statement

Answers

Answer: D.) Personal Mission Statement

Explanation: The personal mission statement refers to a write up which is usually written by an individual and it's tailored to embody one's complete definition in terms of core values, skills, attributes and most importantly present and future desires, goals and objectives. The statement of purpose is usually detailed and will showcase where an individual is currently placed while also showcasing how he or she intends to achieve future aspiration.

Answer:

The answer would be D.) Personal Mission Statement (APEX)

Which line of code will only allow a non-decimal point to be stored in a variable? candyCost = float(input("How much is the candy?")) candyCost = input("How much is the candy?") candyCost = int(input("How much is the candy?")) candyCost = str(input("How much is the candy?"))

Answers

Answer:

candyCost = int(input("How much is the candy?"))

Explanation:


What is Hypertext Transfer Protocol?

А. The language used to build web pages

B. A set of rules that allows for exchange of information on the web

C. The language used by computers to exchange information on the web

D. A set of rules that defines what search engines can do​

Answers

Answer:

B

Explanation:

Web browsers use HTTP to send and receive information to and from the web.

Answer:

The correct answer is B.

I know someone else answered this but just in case people wanted clarification, it is indeed B.

Hope this help someone :3

Write the program code to find the cube of numbers from 1-5. Also do the dry run by using the trace table. (Javascript)

Answers

Answer:

Following are the JavaScript program

< html >

< body >

<  script >

var k,t; // variable declaration

for (k = 1; i < 6; k++)  // iterating the loop

{  

t=k*k*k;// find the cube of number

document.write(k);   // display the cube root

document.write(" < / br > " );  // moves to the next line

}

< / script >

< / body >

< / html >

Output:

1

8

27

64

125

Explanation:

We used the script tag for creating the JavaScript program. Declared the variable "k" in the script tag.Iterating the for loop .In the for loop the k variable is initialized by the 1 This loop is executed less then 6 .In each iteration we find the cube of number in the "t" variable and display that number by using document .write ().

You’ve been stuck in bumper-to-bumper traffic for nearly an hour on a hot summer day. The temperature warning light has just come on. How will you handle this situation? What safety precautions will you take?

Answers

Answer:

In a bumper-to-bumper traffic, when the engine starts overheating the situation can be handled by tapping the accelator which will revive the engine.

Explanation:

Overheating of engine can be due to many reasons. But one should know what to do when an engine overheats in a traffic. Bumper-to-bumper traffic is when the cars are so close in traffic that they touch each other. This usually happens when there's a traffic for a long time or on very busy lane. During summer times, it is important to keep checking the engine temperature to avoid any problem.

When one is stuck in bumper-to-bumper traffic with overheating engine, then there are some meausres that one can take. They are:

To put the car on park or neutral mode of driving and tap the accelator which will revive the engine. The heat can be disperse by rolling down the window and turn the heater up. It will disperse the heat.

Other Questions
WHO WANTS BRAINLIEST THEN ANSWER THIS QUESTION look at my previous last question they relate sothe car slows down to 50 mphstae the new speed of the car relative to the lorry How do you effectively support inferences made about an informational text A 0.40-kg particle moves under the influence of a single conservative force. At point A, where the particle has a speed of 10 m/s, the potential energy associated with the conservative force is 40 J. As the particle moves from A to B, the force does 25 J of work on the particle. What is the value of the potential energy at point B Owen gets paid $280 per week plus 5% commission on all sales for selling electronic equipment. If he sells d dollar worth of electronic equipment in one week, which algebraic expression represents the amount of money he will earn in weeks?a. (2800 + 5)w b. 280 +0.05dw c. (280+ 0.050d)w d. 280w +0.050d Shia received a large package in the mail. What is a reasonable weight for the large package? A 20 grams B 36 pounds C 52 ML D 68 inches PLEASE HELP ASAP! Segun la fuente escrita, que problema aflige a todos los ciudadanos? Crees que este problema se puede resolver? Como sugieres que se puede combatir el crimen? A line has a slope of Negative one-fourth and passes through point (Negative five-fourths, 1). What is the equation of the line? y = negative one-fourth x + StartFraction 21 Over 16 EndFraction y = negative one-fourth x + StartFraction 11 Over 16 EndFraction y = negative one-fourth x minus one-fourth y = negative one-fourth x minus five-fourths At the sandwich shop, there are 3 different meats and 4 different cheeses from which to choose. How many different sandwiches can be made using one meat and one cheese? A. 2 B. 3 C. 7 D. 12 I need help with this problem what is tje worlds largest mountain Managers spend less on prevention costs because managers are typically evaluated on a short term basis, while investments on prevention may experience long gestation periods to returns and their ROIs may be uncertain.1. True2. False Q: Draw shear and bending moment diagram for the beam shown inthe figure. EI= constant Plz help for 80 points question is attached How does the author support the main idea in thisparagraph? Leon has already run 1 mile on his own, and he expects to run 3 miles during each track practice. Write an equation that shows the relationship between the practices p and the distance d. How are lysosomes pro-nuclear dense bodies? given [tex] log(x) = 2 \: and \: log(y) = - 1[/tex]prove that [tex]xy - 100y {}^{2} = 9[/tex] Which action can lead to unintentional injuries A driving B getting in a fight C avoiding illegals drugsD carrying a weapon A jewely firm buys semiprecious stones to make bracelets and rings. The supplier quotes a price of $8.90 per stone for quantities of 600 stones or more, $9.30 per stone for orders of 400 to 599 stones, and $9.80 per stone for lesser quantities. The jewelry firm operates 108 days per year. Usage rate is 26 stones per day, and ordering costs are $406. a.If carrying costs are $3 per year for each stone,find the order quantity that will minimize total annual cost. (Do not roun d intermediate calculations. Round your final answer to the nearest whole number) Order quantity stones _________b. If annual carrying costs are 28 percent of unit cost, what is the optimal order size? (Do not round intermediate calculations. Round your final answer to the nearest whole number.) Optimal order size stones ___________c. If lead time is 4 working days, at what point should the company reorder? (Do not round intermediate calculetions. Round your final answer to the nearest whole number) Reorder quantity stones ___________ The cross-sectional areas of a right triangular prism and a right cylinder are congruent. The right triangular prism has a height of 2 units, and the right cylinder has a height of 6 units. Which conclusion can be made from the given information? A.) The volume of the triangular prism is half the volume of the cylinder. B.)The volume of the triangular prism is not equal to the volume of the cylinder. C.)The volume of the triangular prism is twice the volume of the cylinder.D.) The volume of the triangular prism is equal to the volume of the cylinder.