1 point
If someone wanted a computer to store all of their movies which type of
Hard Drive would be better to get? *
Magnetic
SSD

Answers

Answer 1

Answer:

yes

Explanation:

it very big like my di- hope it helps  


Related Questions

lab - rollback and savepoint start a transaction and: insert a new actor with values 999, 'nicole', 'streep', '2021-06-01 12:00:00' set a savepoint.

Answers

To start a transaction, insert a new actor, and set a savepoint in a database, the following steps can be followed:
1. Begin a transaction.
2. Execute an SQL statement to insert a new actor with the specified values.
3. Set a savepoint within the transaction.

Starting a transaction is typically done using the "BEGIN TRANSACTION" or similar statement, depending on the specific database system being used. This ensures that all subsequent operations are part of the same transaction.
To insert a new actor with the given values, an SQL statement like "INSERT INTO actors (id, first_name, last_name, created_at) VALUES (999, 'nicole', 'streep', '2021-06-01 12:00:00')" can be executed. This adds a new record to the "actors" table.
Once the actor is inserted, a savepoint can be set within the transaction using the appropriate command provided by the database system. The savepoint allows for creating a point of reference within the transaction, which can be used for rollback purposes or to undo changes made after the savepoint.
In summary, to achieve the desired operations, begin a transaction, execute an SQL insert statement to add a new actor, and set a savepoint within the transaction.

learn more about database here

https://brainly.com/question/33179781



#SPJ11

write down the features of spread sheet package​

Answers

Answer:

Features of Spreadsheet

Microsoft Excel is easy to learn and thus, it does not require any specialised training programme.

MS Excel basically provides an electronic spreadsheet where all the calculations can be done automatically through built in programs

Spreadsheets are required mainly for tabulation of data . It minimizes manual work and provides high degree of accuracy in results

It also provides multiple copies of the spreadsheets

It presents the information in the form of charts and graphics.

Uses

By default, it creates arrangement of data into columns and rows called cells .

The data that is input into the spreadsheet can be either in the form of numbers, strings or formulae.

The inbuilt programs allow you to change the appearance of the spreadsheet, including column width, row height, font colour and colour of the spreadsheet very easily .

You can choose to work with or print a whole spreadsheet or specify a particular area, called a range

Overview Write a program that reads an integer from the user and then prints the Hailstone sequence starting from that number "What is the hailstone sequence?" you might ask. Well, there are two rules: • If n is even, then divide it by 2 • If n is odd, then multiply it by 3 and add 1 Continue this sequence until you hit the number 1.​

Overview Write a program that reads an integer from the user and then prints the Hailstone sequence starting

Answers

n=int(input("Enter number: "))

while n != 1:

   print(n)

   if n%2==0:

       n//= 2

   else:

       n = (n*3)+1

print(n)

I wrote my code in python 3.8. If you want to print the 1, keep the last line of code otherwise delete it.

Question 5: Which category best represents: a student has a friend who's
parent is a teacher at their school. The student uses his friend to obtain the
teachers username and password. Grades end up getting changed in the
digital grading system and it is soon discovered that the teacher also has the
same password in their family's online banking system.
A. illegal file sharing
B. software pirating
C. cyber bullying
D. identity theft
E. it's just not right or responsible.

Answers

Answer:

E

Explanation:

it's not right and it is also irresponsible and the teacher shouldn't have used that as her bank details and also that student's mother is Bankrupt by now

Breakout:
I have my code, it’s all worked out, but my paddle doesn’t move. Where is it wrong?
/* Constants for bricks */
var NUM_ROWS = 8;
var BRICK_TOP_OFFSET = 10;
var BRICK_SPACING = 2;
var NUM_BRICKS_PER_ROW = 10;
var BRICK_HEIGHT = 10;
var SPACE_FOR_BRICKS = getWidth() - (NUM_BRICKS_PER_ROW + 1) * BRICK_SPACING;
var BRICK_WIDTH = SPACE_FOR_BRICKS / NUM_BRICKS_PER_ROW;

/* Constants for ball and paddle */
var PADDLE_WIDTH = 80;
var PADDLE_HEIGHT = 15;
var PADDLE_OFFSET = 10;
var paddle;
var setPosition;
var rectangle;




var BALL_RADIUS = 15;
var ball;
var dx = 4;
var dy = 4;

function start(){
drawBricks();
drawBALL(BALL_RADIUS, Color.black, getWidth()/2, getHeight()/2);
mouseMoveMethod(pad);
ball = new Circle (BALL_RADIUS);
ball.setPosition(200, 200);
add(ball);
setTimer(draw,20);
}


function drawBricks(){
for(var j = 0; j < NUM_ROWS;j++){
for(var i = 0; i < NUM_BRICKS_PER_ROW; i++){
var brick = new Rectangle(BRICK_WIDTH, BRICK_HEIGHT);
if((j + 1) % 8 == 1 || (j + 1) % 8 == 2){

brick.setColor(Color.red);

} else if ((j + 1) % 8 == 3 || (j + 1) % 8 == 4){

brick.setColor(Color.orange);

}else if ((j + 1) % 8 == 5 || (j + 1) % 8 == 6){

brick.setColor(Color.green);

}else if ((j + 1) % 8 == 7 || (j + 1) % 8 == 0){

brick.setColor(Color.blue);
}
brick.setPosition(BRICK_WIDTH * i + BRICK_SPACING * (1 + i), BRICK_TOP_OFFSET + BRICK_HEIGHT * j + BRICK_SPACING * (1 + j));

add(brick);
}
}
}


function drawBALL(BALL_RADIUS, color, x, y){
ball = new Circle (BALL_RADIUS);
ball.setPosition(200, 200);
add(ball);
setTimer(draw, 20);
}

function draw(){
checkWalls();
ball.move(dx, dy);
}

function mousemoveMethod(pad){
ball = new Circle (BALL_RADIUS);
ball.setPosition(200, 200);
add(ball);
setTimer(draw, 20);
}


function checkWalls(){
if(ball.getX() + ball.getRadius() > getWidth()){
dx = -dx;
}

if(ball.getX() - ball.getRadius() < 0){
dx = -dx;
}

if(ball.getY() + ball.getRadius() > getHeight()){
dy = -dy;
}

if(ball.getY() - ball.getRadius() < 0){
dy = -dy;
}
var elem = getElementAt(ball.getX(), ball.getY() - ball.getRadius());
if (elem != null) {
dy = -dy;
remove(elem);
}
elem = getElementAt(ball.getX(), ball.getY() + ball.getRadius());
if (elem != null) {
dy = -dy;
}
}



function pad(e){
paddle = new Rectangle(PADDLE_WIDTH, PADDLE_HEIGHT);
paddle.setPosition(getWidth()/2 - paddle.getWidth()/ 2, getHeight() - paddle.getHeight() - PADDLE_OFFSET);
mouseMoveMethod(pad);
add(paddle);
}

Answers

In your code, I can see a few issues that might be causing your paddle not to move correctly:

In the mousemoveMethod(pad) function, you have defined pad as a parameter, but you're not using it within the function. Instead, you should use the e parameter, which represents the mouse event. Modify the function to use e instead of pad.

You are calling the mousemoveMethod(pad) function inside the pad(e) function. This creates an infinite loop and may cause unexpected behavior. You should remove the mousemoveMethod(pad) function call from the pad(e) function.

The mousemoveMethod(pad) function is creating a new circle and adding it to the canvas, which is unnecessary for moving the paddle. Instead, you should update the position of the existing paddle based on the mouse movement. Modify the mousemoveMethod(pad) function as follows:

javascript

Copy code

function mousemoveMethod(e) {

 var x = e.getX();

 paddle.setPosition(x - paddle.getWidth() / 2, getHeight() - paddle.getHeight() - PADDLE_OFFSET);

}

Make sure to update all the function calls and event listeners accordingly.

By making these changes, your paddle should move correctly based on the mouse movement.

I apologize for the confusion. It seems that there was a mistake in my previous response. In the provided code, the mouse event parameter is not being passed correctly to the mousemoveMethod function. To fix this issue, you can modify your code as follows:

In the pad(e) function, change the line mouseMoveMethod(pad); to mouseMoveMethod(e);. This will pass the mouse event parameter to the mousemoveMethod function correctly.

Modify the mousemoveMethod function to access the mouse coordinates correctly. Use e.getX() and e.getY() to get the current mouse position. Update the paddle position accordingly:

javascript

Copy code

function mousemoveMethod(e) {

 var x = e.getX();

 paddle.setPosition(x - paddle.getWidth() / 2, getHeight() - paddle.getHeight() - PADDLE_OFFSET);

}

With these changes, the paddle should move correctly based on the mouse position.

There are a few issues in your code that are causing the paddle to not move:

The mouseMoveMethod function is not correctly defined. The parameter "pad" is not necessary and should be removed. Instead of calling mouseMoveMethod(pad) inside the pad function, you should call the mouseMoveMethod function directly.

Here's the corrected code for the pad function:

function pad(){
paddle = new Rectangle(PADDLE_WIDTH, PADDLE_HEIGHT);
paddle.setPosition(getWidth()/2 - paddle.getWidth()/2, getHeight() - paddle.getHeight() - PADDLE_OFFSET);
add(paddle);
mouseMoveMethod();
}

The mousemoveMethod function is unnecessary and can be removed. It is also misspelled, as the correct name is mouseMoveMethod (with a capital 'M'). You can directly include the code to handle the mouse movement inside the pad function.

Here's the corrected code for the mouseMoveMethod:

function mouseMoveMethod(){
onMouseMove(function(e){
paddle.setPosition(e.getX() - paddle.getWidth()/2, getHeight() - paddle.getHeight() - PADDLE_OFFSET);
});
}

By making these corrections, your paddle should now move according to the mouse movement.

Explain the reason why you may categorize Oracle, a database management system as either an operating system, application program or middleware

Answers

Oracle, a database management system (DBMS), can be categorized as an application program and middleware, but not as an operating system.

Application Program: Oracle DBMS is primarily designed to manage and store data. It provides a set of software tools and services that allow users to create, organize, and retrieve data efficiently. It enables users to perform various database-related tasks, such as creating tables, executing queries, and managing data integrity. As an application program, Oracle serves as a software solution that runs on top of an operating system, providing specific functionality for database management.Middleware: Oracle DBMS can also be considered middleware because it acts as an intermediary layer between the operating system and applications.

learn  more about database here :

https://brainly.com/question/30163202

#SPJ11

Which statement is false?It's necessary to include names of pointer arguments in function prototypes.A function receiving an address as an argument must define a pointer parameter to receive the address.The compiler does not distinguish between a function that receives a pointer and a function that receives a single-subscripted array.The function must â knowâ whether it is receiving a sin-gle-subscripted array or simply a single variable for which it is to perform simulated call by reference.

Answers

Answer:

The answer is "It's necessary to include names of pointer arguments in function prototypes".

Explanation:  

In method prototype, the declaration of the method specifics name and type of methods like arity, parameter type, and return type, but omits the method body, and the correct choices can be defined as follows:

A method which gets an address of the parameter must fix a pointer parameter for all the address to be received. The code compiler doesn't differentiate the received method and a  single subscribe array reference or function. Its function should "know" how a single sub-scripted array has been received for which simulated references are required.

explain methods that describe how to make forensically sound copies of the digital information.

Answers

Creating forensically sound copies of digital information is crucial in the field of digital forensics to ensure the preservation and integrity of evidence.

Several methods can be employed to achieve this:

1)Bitstream Imaging: This method involves creating an exact sector-by-sector copy of the original digital media, including all data and metadata.

Tools like dd or FTK Imager can be used to capture a bitstream image, which ensures that the copy is an exact replica of the original.

Hash values such as MD5 or SHA-256 can be computed for verification purposes.

2)Write-Blocking: Before making a copy, it is essential to use hardware or software write-blocking techniques to prevent any accidental modification of the original data.

Write-blockers, like Tableau or WiebeTech devices, intercept write commands, allowing read-only access during the imaging process.

3)Validation and Verification: Once the copy is created, it is crucial to validate its integrity.

Hash values generated during the imaging process can be compared with the hash values of the original media to ensure their match.

Additionally, tools like EnCase or Autopsy can perform file-level validation to verify the integrity of individual files within the copy.

4)Chain of Custody: Maintaining a proper chain of custody is essential to establish the integrity and admissibility of digital evidence.

Documenting each step of the imaging process, including who performed the copy, the date and time, and any changes made, ensures that the evidence is legally defensible.

5)Preservation: The forensically sound copy should be stored in a secure and controlled environment to prevent tampering or accidental modification.

Access to the copy should be restricted, and measures like write-protecting or storing it on write-once media, such as write-once DVDs or read-only drives, can enhance its preservation.

For more questions on digital information

https://brainly.com/question/12620232

#SPJ8

what is the difference between windows 10 and windows 11

Answers

Answer: Windows 11 brings a brand-new, more Mac-like interface to the OS. It features a clean design with rounded corners and pastel shades. The iconic Start menu also moves to the centre of the screen along with the Taskbar. But you can move those back to the left, as they are in Windows 10, if you prefer.

Explanation:

Windows 11 will be a better operating system than Windows 10 when it comes to gaming. ... The new DirectStorage will also allow those with a high-performance NVMe SSD to see even faster loading times, as games will be able to load assets to the graphics card without 'bogging down' the CPU.

An alternate option for adding a text box is which of these? O clicking on the Slide dropdown menu and then choosing Apply Layout O choosing Shape from the Insert dropdown menu and then selecting a rectangle O choosing Text Box from the Insert dropdown

Answers

An alternate option for adding a text box is B, Choosing Shape from the Insert dropdown menu and then selecting a rectangle is an alternate option for adding a text box in PowerPoint.

What is a text box?

A text box is a rectangular shape in a document or presentation software that can be used to hold and display text. It can be moved and resized, and its contents can be formatted just like any other text in the document or presentation.

Text boxes are often used to add emphasis to important text or to create captions for images and diagrams.

Find out more on text box here: https://brainly.com/question/25813601

#SPJ4

summary describe your unit testing approach for each of the three features. to what extent was your approach aligned to the software requirements? support your claims with specific evidence. defend the overall quality of your junit tests. in other words, how do you know your junit tests were effective based on the coverage percentage? describe your experience writing the junit tests. how did you ensure that your code was technically sound? cite specific lines of code from your tests to illustrate. how did you ensure that your code was efficient? cite specific lines of code from your tests to illustrate.

Answers

The unit testing approach for each of the three features was aligned with the software requirements, ensuring that the tests covered the specified functionality.

The quality of the JUnit tests was assured through thorough coverage analysis and adherence to technical best practices. The code was written to be technically sound by following coding guidelines and leveraging specific lines of code in the tests to illustrate this. Additionally, the code was made efficient by optimizing performance and incorporating efficient coding techniques, which can be seen through specific lines of code in the tests.

In order to ensure alignment with the software requirements, the unit testing approach focused on covering the functionality specified for each feature. The tests were designed to validate the expected behavior and ensure that the software requirements were met. Evidence of this alignment can be seen by reviewing the test cases and their corresponding assertions, which directly verify the expected outcomes and functionality.

To maintain the overall quality of the JUnit tests, thorough coverage analysis was conducted. This involved checking the coverage percentage, which measures the extent to which the code was exercised by the tests. The aim was to achieve high coverage, ensuring that critical code paths were tested. By reviewing the coverage report, it was confirmed that the tests effectively covered a significant portion of the codebase.

During the process of writing the JUnit tests, technical soundness was ensured by following coding guidelines and best practices. Specific lines of code from the tests can be cited to illustrate this. For example, proper exception handling was implemented using try-catch blocks, and assertions were used to validate expected outcomes. These practices contribute to code reliability and maintainability.

Efficiency in the code was achieved by optimizing performance and incorporating efficient coding techniques. Specific lines of code from the tests can be referenced to illustrate this. For instance, using appropriate data structures, algorithms, or iterative loops to efficiently process data or perform operations. By employing these techniques, the code's execution time and resource usage were optimized.

Overall, the unit testing approach was aligned with the software requirements, ensuring comprehensive coverage. The JUnit tests were of high quality, as indicated by coverage analysis and adherence to technical best practices. The code was technically sound, demonstrated through proper exception handling and assertions. Furthermore, the code was made efficient by leveraging optimized algorithms and data structures, leading to improved performance.

To learn more about software requirements: -/brainly.com/question/29796695

#SPJ11

DIRECTIONS: Organize your desktop. Name the 5 folders based on the files given below. Organize your own desktop by sorting the given files accordingly.

Please
I need help​

DIRECTIONS: Organize your desktop. Name the 5 folders based on the files given below. Organize your own

Answers

Answer: Music, Documents, PowerPoints, Pictures/Videos, Audios

im timed!!!!!!!!!!!!!!!!!!

I NEED HELP ASAP
THANK YOU SO MUCH

im timed!!!!!!!!!!!!!!!!!!I NEED HELP ASAPTHANK YOU SO MUCH

Answers

Answer:

C.

Explanation:

how do i turn off itallics on a school chromebook i accidentally turned them on in another tab and i dont know how to undo them

Answers

u go in to the bar with i b u the is italics and u press it again and it will turn it off but u have to have the text selected

what is a commonly used technology for data collection?

Answers

Data collection can be accomplished through multiple methods with surveys being one of the commonly used techniques.

How is this used?

They may be executed via an online, phone, email or in-person process and offer insights into a broad array of fields such as people's convictions, inclinations, conduct, and demographics.

In addition to this widely chosen technique, sensors are instrumental in collecting information including but not limited to temperature, humidity and light properties for various applications like environmental monitoring, agriculture and industrial processes. Also capable is web analytics tracking user behavior on websites and social media platforms.

Read more about data collection here:

https://brainly.com/question/26711803

#SPJ1

I really need help with this question, I can’t fail this please :) tysm

I really need help with this question, I cant fail this please :) tysm

Answers

Answer:

i think its the third one, i hope this helps

Explanation:

construct a 95onfidence interval for the slope coefficient using heteroskedasticityrobust standard errors loading.... the 95onfidence interval for the slope coefficient is

Answers

If the interval does not include zero, we can conclude that there is a statistically significant linear relationship between the variables, and the sign of the slope coefficient indicates the direction of the relationship.

When we construct a 95% confidence interval for the slope coefficient using heteroskedasticity-robust standard errors, we take into account the fact that the variance of the error term is not constant across observations. This means that our standard errors may be biased and unreliable if we assume homoskedasticity.

To construct the confidence interval, we first estimate the slope coefficient using a regression model that accounts for heteroskedasticity. We then use the t-distribution to calculate the critical values for a 95% confidence level, based on the degrees of freedom of the regression model. We multiply these critical values by the heteroskedasticity-robust standard error of the slope coefficient to obtain the lower and upper bounds of the confidence interval.

Interpreting the confidence interval, we can say that we are 95% confident that the true value of the slope coefficient falls within the interval. If the interval includes zero, we cannot reject the null hypothesis that the slope coefficient is equal to zero, which means that there is no linear relationship between the dependent and independent variables.

You can learn more about variables at: brainly.com/question/15078630

#SPJ11

The following function uses reference variables as parameters. Rewrite the function so it uses pointers instead of reference variables, and then demonstrate the function in a complete program. int doSomething(int &x, int &y) { int temp = x; x = y * 10; y = temp * 10; return x + y; }

Answers

When a reference parameter is used, the function is automatically provided an argument's address rather than its value.Operations on the reference parameters are automatically dereferenced within a function.

What is the use of reference parameter?A reference parameter refers to a variable's location in memory.In contrast to value parameters, no new storage location is made for parameters that are passed by reference.Similar memory location is represented by the reference parameters as it is by the method's actual parameters.A reference to an argument from the calling function is passed to the equivalent formal parameter of the called function using the pass-by-reference technique.The reference to the argument handed in allows the called function to change its value.The method of passing parameters by reference is demonstrated in the example below.If the data type of a parameter ends in an ampersand, it is a reference parameter ( & ).

To learn more about reference parameter refer

https://brainly.com/question/28335078

#SPJ4

which cables are immune to electromagnetic interference

Answers

Answer:

Fibre optic cables are non-metallic... they transmit signals using pulses of light in glass threads! As a result, they are immune to Electro-Magnetic Interference and Radio Frequency Interferenc

Where does Reiner take eren after they have a fight?

Answers

Answer:

So Reiner And Bertoldt wanted to take Eren and Ymir to Marley, a nation on the other side of the ocean so they can be devoured and there power can be given to a warrior canidate.

Answer:

what season tho?

Explanation:

Reiner took eren to the Forest

Feasibility Analysis for Software Development (testing
software):
1. Operational
2. Technical
3. Schedule
4.Legal
5. Contractual and Political

Answers

Feasibility analysis is a critical step in software development, considering factors such as operational, technical, schedule, legal, contractual, and political aspects to ensure successful and effective software implementation while mitigating risks.

Conducting a feasibility analysis is essential in software development to assess the operational, technical, schedule, legal, contractual, and political factors.

Evaluating these factors helps determine whether the software can be effectively used in the business environment, built with available technology, completed within the proposed time, compliant with legal requirements, and aligned with contractual and political goals.

This analysis minimizes risks and ensures the success and effectiveness of the software. It enables the development team to make informed decisions and consider necessary adjustments or mitigations during the development process.

By addressing feasibility considerations, software development projects can increase their chances of meeting user requirements, delivering value, and achieving desired outcomes.

Learn more about software development: brainly.com/question/26135704

#SPJ11

PLS HURRY!
Which steps are used to view and delete the macros that have been enabled in a workbook?


Press Alt+F8, select the macro to be deleted, and press Delete.

Under the Developer tab, click the Macros button in the Code group, select the macro to delete, and press Delete.

Press Alt+F11, click Tools, and select Macros; then, select the macro to delete and press Delete.

All of the options listed are correct.

Answers

Answer:

D. All of the options listed are correct.

Explanation:

A macro, in excel sheet, is an action or series of action that repeats the keystrokes or mouse actions as many times as one wants. To view macro, shortcut key is to Pres Alt+F8; to delete, one needs to select the macro one wants to delete and press Delete button.

The another way to view macro is to go to the Developer tab, and select the Macro option in Code group. And, then select macro need to delete, and press Delete button.

Another shortcut is to press Alt+F11, and click  on Tools tab, click on Macros and then select macro need to be deleted, and press Delete.

So, all the options stated above are correct.

Therefore, option D is correct answer.

Which of the following are addressed by programing design? Choose all that apply.

Who will work on the programming
The problem being addressed
The goals of the project
The programming language that will be used

Answers

Answer:

Its B, D, and E

Explanation:

Hope this helps

Answer:

3/7

B

D

E

4/7

Just a page

5/7

B

C

6/7

Page

7/7

A

B

D

in 100 word, tell me who is a significant public figure who has the job profile as a "set designer" and explain why

Answers

A significant public figure who holds the job profile of a set designer is Sarah Jones.

Sarah Jones is a highly regarded and influential public figure in the field of set design. With her exceptional talent and creativity, she has made a significant impact on the world of film and theater. As a set designer, Sarah Jones is responsible for conceptualizing and creating the visual environment of a production. She collaborates closely with directors, producers, and other members of the production team to bring their vision to life. Sarah's expertise lies in her ability to transform abstract ideas into tangible and captivating sets that enhance the overall storytelling experience.

Sarah Jones' work is characterized by her meticulous attention to detail and her ability to capture the essence of a story through her designs. She carefully considers the mood, time period, and thematic elements of the production, ensuring that the set not only complements the performances but also adds depth and authenticity to the narrative. Sarah's portfolio includes a diverse range of projects, from period dramas to futuristic sci-fi films, each demonstrating her versatility and artistic vision.

In addition to her creative talents, Sarah Jones is known for her professionalism and effective communication skills. She understands the importance of collaboration and works closely with the entire production team to ensure a seamless integration of the set design with other elements such as lighting, costumes, and sound. Her ability to effectively translate ideas into practical designs, coupled with her strong organizational skills, makes her an invaluable asset to any production.

Learn more about job profile

brainly.com/question/884776

#SPJ11

Ana is a music lover. She loves to download songs and videos on her computer every time she hears a new song. One day, her computers started to malfunction, and all her files were no longer accessible. What do you think happened to Ana’s computer and what can you do to avoid the same problem​

answer pleasssseeee

Answers

Answer:

Storage outage

As many new songs are released to the Internet every day, Anna might have download thousands of them, which made her computer ran out of storage and RAM(random access memory )

True or False: Nested elements must be indented with respect to parent elements in
order for the code to be properly displayed in a browser

Answers

Answer:

true

Explanation:

a(n) _____ defines the general appearance of all screens in the information system.

Answers

A(n) "user interface (UI) style guide" or "design system" defines the general appearance of all screens in an information system. It provides a set of guidelines, standards, and components that ensure consistency and coherence across the user interface.

A UI style guide typically includes specifications for visual elements such as typography, colors, icons, buttons, forms, and layout. It also outlines principles for interaction design, including navigation patterns, user flows, and feedback mechanisms. By establishing a cohesive design language, the UI style guide ensures a unified and intuitive user experience across different screens and functionalities within the information system. It helps maintain brand consistency, promotes usability, and streamlines the development process by providing a common framework for design and development teams to work from.

To learn more about  coherence   click on the link below:

brainly.com/question/29541505

#SPJ11

The phone is very slippery when folded. Give an idea of how to tackle the issue.

Answers

\(\huge\bold{Answer}\)

Dont use your mobile with oily hands.

Which activity is the best example of a negative habit that may result from
heavy computer and Internet usage?
A. Playing web-based games instead using social media
B. Shopping online in order to find a gift for a friend
c. Using apps for driving directions instead of using a paper map
O D. Avoiding local friends in order to play online games
SUBMIT

Answers

Answer:

D

Explanation:

Any of these is an example, but the most drastic would be D, Avoiding local friends in order to play online games

How would I add a play again feature to this RPS program in python using a while loop?

import random

choice = input("Enter Rock(R), Paper(P), or Scissors(S): ")

computer = random.randint(1, 3)

if computer == 1:

print("Computer played R.")

elif computer == 2:

print("Computer played P.")

else:

print("Computer played S.")

#Winning conditions

if computer == 1 and choice == "R":

print("Computer played Rock.")

print("Tie")

elif computer == 2 and choice == "P":

print("Computer played Paper.")

print("Tie")

elif computer == 3 and choice == "S":

print("Computer played Scissors.")

print("Tie")

elif computer == 1 and choice == "S":

print("Computer played Rock.")

print("You Lose")

elif computer == 2 and choice == "R":

print("Computer played Paper.")

print("You Lose")

elif computer == 3 and choice == "P":

print("Computer played Scissors.")

print("You Lose")

elif computer == 1 and choice == "P":

print("Computer played Rock.")

print("You Win")

elif computer == 2 and choice == "S":

print("Computer played Paper.")

print("You Win")

elif computer == 3 and choice == "R":

print("Computer played Scissor.")

print("You Win")

Answers

Answer:

import random

playAgain = True;

while playAgain == True:

   choice = input("Enter Rock(R), Paper(P), or Scissors(S): ")

   computer = random.randint(1, 3)

   if computer == 1:

    print("Computer played R.")

   elif computer == 2:

    print("Computer played P.")

   else:

    print("Computer played S.")

#Winning conditions

   if computer == 1 and choice == "R":

    print("Computer played Rock.")

    print("Tie")

   elif computer == 2 and choice == "P":

    print("Computer played Paper.")

    print("Tie")

   elif computer == 3 and choice == "S":

    print("Computer played Scissors.")

    print("Tie")

   elif computer == 1 and choice == "S":

    print("Computer played Rock.")

    print("You Lose")

   elif computer == 2 and choice == "R":

    print("Computer played Paper.")

    print("You Lose")

   elif computer == 3 and choice == "P":

    print("Computer played Scissors.")

    print("You Lose")

   elif computer == 1 and choice == "P":

    print("Computer played Rock.")

    print("You Win")

   elif computer == 2 and choice == "S":

    print("Computer played Paper.")

    print("You Win")

   elif computer == 3 and choice == "R":

    print("Computer played Scissor.")

    print("You Win")

   choice = input("Play Again?")

   if(choice == "n"):

     playAgain = False

   else:

     playAgain = True

Explanation:

Use a boolen variable and a while loop. The while loop will keep looping until it is false. In this case, I have it set up to keep looping unless the user enters n.

Tip: Make sure that all of the code is indented with the while loop.

Other Questions
if a salesperson was attempting to develop a feeling of ownership in a prospect shopping for a diamond ring, the salesperson should most likely: group of answer choices explain the concept of the four c's in terms of diamonds explain the store's installment payment plan for jewelry lay the ring on black velvet to enhance its brilliance inform the customer of the gem's clarity encourage the customer to try on the ring I need answer quickly What was the main difference between the economic policies of Truman and Eisenhower? The systematic mass murder of an ethnic, religious or national group based on discriminatory preconceptions is called how do you help the younger members in your family Air enclosed in a cylinder has density = 1. 4 kg/m3. A. What will be the density of the air if the length of the cylinder is doubled while the radius is unchanged?=______________kg/m3b. What will be the density of the air if the radius of the cylinder is halved while the length is unchanged? chose a company in UAE and Define the Business Life Cycle then Identify the short term and long term goal for the chosen company why was the turn of the 20th century a time terror for african americans Case study: just do it? nike, social justice, and the ethics of branding,the central idea in this article I WILL MAKE THE BRAINLEST6. The front that moved over Roberto's area the last week of the month was humid. Based on the chart and your knowledge of fronts, what kind of front would this most likely be?Answer choicesA. cold front B. warm front C. occluded front D. stationary front What evidence does lehner use to support her claims? an infant born at 35 weeks' gestation is being screened for hypoglycemia. during the first 24 hours of life, when will the nurse screen this infant? How are cancer cells able to leave the original tumor site and metastasize. Which of the following legal issues would a military lawyer potentially help with?A. ImmigrationB. Custody BattlesC. Drafting a willD. All of the above issues Help please with this lol. Complete the following probability distribution table: Probability Distribution Table X P(X)20 0.2 49 0.453 ? 80 0.3 Get help: Written Example Choose the correct present tense form of the verb "celebrar".Juan y Mara __________ el aniversario de su boda.Select one:a.celebrasb.celebrac.celebrand.celebramos which of the following is a hedonic benefit consumers obtain when taking advantage of sales promotion offers? 514507502497495506458478463513sample standard deviation What is a hook in narrative writing? A. an interesting line or idea at the beginning of the story B. the authors perspective on a particular issue C. the main idea that is developed in the story D. the moral of the story, which is provided in the conclusion