you have decided to deploy your own cloud-based virtual machines hosting a microsoft sql server database. which type of cloud service model is this?

Answers

Answer 1

The type of cloud service model that would be used for this deployment is Infrastructure as a Service (IaaS) as it involves the hosting of virtual machines and a database on the cloud infrastructure.

IaaS provides users with virtualized computing resources, including servers, storage, and networking, that can be used to deploy and run their own applications and services. In the case of hosting a Microsoft SQL Server database, an organization would typically deploy a virtual machine (VM) in the cloud and install the SQL Server software on it. This would provide the organization with the flexibility to configure the VM and SQL Server environment according to their specific needs and requirements, while still leveraging the scalability and other benefits of the cloud.

What is a cloud service model?

Cloud service model refers to the type of services that are provided by cloud computing providers to their customers. There are three main types of cloud service models:

Infrastructure as a Service (IaaS)

Platform as a Service (PaaS)

Software as a Service (SaaS).

To know more about cloud service model visit:

https://brainly.com/question/30143661

#SPJ11

Answer 2

The type of cloud service model that would be used for this deployment is Infrastructure as a Service (IaaS) as it involves the hosting of virtual machines and a database on the cloud infrastructure.

IaaS provides users with virtualized computing resources, including servers, storage, and networking, that can be used to deploy and run their own applications and services. In the case of hosting a Microsoft SQL Server database, an organization would typically deploy a virtual machine (VM) in the cloud and install the SQL Server software on it. This would provide the organization with the flexibility to configure the VM and SQL Server environment according to their specific needs and requirements, while still leveraging the scalability and other benefits of the cloud. Cloud service model refers to the type of services that are provided by cloud computing providers to their customers.

Learn more about cloud service model visit:

brainly.com/question/30143661

#SPJ11


Related Questions

COMPUTER ACTIVITY

help guys thank you so much!!​

COMPUTER ACTIVITYhelp guys thank you so much!!

Answers

A type of flowchart called an Entity Relationship (ER) Diagram shows how "entities" like people, things, or ideas relate to each other in a system.

What exactly is a ER diagram?

A type of flowchart called an Entity Relationship (ER) Diagram shows how "entities" like people, things, or ideas relate to each other in a system. In the fields of software engineering, business information systems, education, and research, ER Diagrams are most frequently utilized for the design or debugging of relational databases. They use a defined set of symbols like rectangles, diamonds, ovals, and connecting lines to show how entities, relationships, and their characteristics are interconnected. They follow grammatical structure, using relationships as verbs and entities as nouns.

To learn more about databases visit :

https://brainly.com/question/6447559

#SPJ1

How did tribes profit most from cattle drives that passed through their land?
A.
by successfully collecting taxes from every drover who used their lands
B.
by buying cattle from ranchers to keep for themselves
C.
by selling cattle that would be taken to Texas ranches
D.
by leasing grazing land to ranchers and drovers from Texas

Answers

The way that the tribes profit most from cattle drives that passed through their land is option D. By leasing grazing land to ranchers and drovers from Texas.

How did Native Americans gain from the long cattle drives?

When Oklahoma became a state in 1907, the reservation system there was essentially abolished. In Indian Territory, cattle were and are the dominant economic driver.

Tolls on moving livestock, exporting their own animals, and leasing their territory for grazing were all sources of income for the tribes.

There were several cattle drives between 1867 and 1893. Cattle drives were conducted to supply the demand for beef in the east and to provide the cattlemen with a means of livelihood after the Civil War when the great cities in the northeast lacked livestock.

Lastly, Abolishing Cattle Drives: Soon after the Civil War, it began, and after the railroads reached Texas, it came to an end.

Learn more about cattle drives from

https://brainly.com/question/16118067
#SPJ1

How many characters should a strong password have? four six eight ten

Answers

Answer:

I say it have to be aleast 8 to complete a strong password

Explanation:

it's common sense

Answer:

8

Explanation:

The more the better but ten too much

Find solutions for your homework
engineering
computer science
computer science questions and answers
this is python and please follow the code i gave to you. please do not change any code just fill the code up. start at ### start your code ### and end by ### end your code ### introduction: get codes from the tree obtain the huffman codes for each character in the leaf nodes of the merged tree. the returned codes are stored in a dict object codes, whose key
Question: This Is Python And Please Follow The Code I Gave To You. Please Do Not Change Any Code Just Fill The Code Up. Start At ### START YOUR CODE ### And End By ### END YOUR CODE ### Introduction: Get Codes From The Tree Obtain The Huffman Codes For Each Character In The Leaf Nodes Of The Merged Tree. The Returned Codes Are Stored In A Dict Object Codes, Whose Key
This is python and please follow the code I gave to you. Please do not change any code just fill the code up. Start at ### START YOUR CODE ### and end by ### END YOUR CODE ###
Introduction: Get codes from the tree
Obtain the Huffman codes for each character in the leaf nodes of the merged tree. The returned codes are stored in a dict object codes, whose key (str) and value (str) are the character and code, respectively.
make_codes_helper() is a recursive function that takes a tree node, codes, and current_code as inputs. current_code is a str object that records the code for the current node (which can be an internal node). The function needs be called on the left child and right child nodes recursively. For the left child call, current_code needs increment by appending a "0", because this is what the left branch means; and append an "1" for the right child call.
CODE:
import heapq
from collections import Counter
def make_codes(tree):
codes = {}
### START YOUR CODE ###
root = None # Get the root node
current_code = None # Initialize the current code
make_codes_helper(None, None, None) # initial call on the root node
### END YOUR CODE ###
return codes
def make_codes_helper(node, codes, current_code):
if(node == None):
### START YOUR CODE ###
pass # What should you return if the node is empty?
### END YOUR CODE ###
if(node.char != None):
### START YOUR CODE ###
pass # For leaf node, copy the current code to the correct position in codes
### END YOUR CODE ###
### START YOUR CODE ###
pass # Make a recursive call to the left child node, with the updated current code
pass # Make a recursive call to the right child node, with the updated current code
### END YOUR CODE ###
def print_codes(codes):
codes_sorted = sorted([(k, v) for k, v in codes.items()], key = lambda x: len(x[1]))
for k, v in codes_sorted:
print(f'"{k}" -> {v}')
Test code:
# Do not change the test code here
sample_text = 'No, it is a word. What matters is the connection the word implies.'
freq = create_frequency_dict(sample_text)
tree = create_tree(freq)
merge_nodes(tree)
codes = make_codes(tree)
print('Example 1:')
print_codes(codes)
print()
freq2 = {'a': 45, 'b': 13, 'c': 12, 'd': 16, 'e': 9, 'f': 5}
tree2 = create_tree(freq2)
merge_nodes(tree2)
code2 = make_codes(tree2)
print('Example 2:')
print_codes(code2)
Expected output
Example 1:
"i" -> 001
"t" -> 010
" " -> 111
"h" -> 0000
"n" -> 0001
"s" -> 0111
"e" -> 1011
"o" -> 1100
"l" -> 01100
"m" -> 01101
"w" -> 10000
"c" -> 10001
"d" -> 10010
"." -> 10100
"r" -> 11010
"a" -> 11011
"N" -> 100110
"," -> 100111
"W" -> 101010
"p" -> 101011
Example 2:
"a" -> 0
"c" -> 100
"b" -> 101
"d" -> 111
"f" -> 1100
"e" -> 1101

Answers

Get codes from the treeObtain the Huffman codes for each character in the leaf nodes of the merged tree.

The returned codes are stored in a dict object codes, whose key (str) and value (str) are the character and code, respectively. make_codes_helper() is a recursive function that takes a tree node, codes, and current_code as inputs. current_code is a str object that records the code for the current node (which can be an internal node). The function needs be called on the left child and right child nodes recursively. For the left child call, current_code needs increment by appending a "0", because this is what the left branch means; and append an "1" for the right child call.CODE:import heapq
from collections import Counter
def make_codes(tree):
   codes = {}
   ### START YOUR CODE ###
   root = tree[0] # Get the root node
   current_code = '' # Initialize the current code
   make_codes_helper(root, codes, current_code) # initial call on the root node
   ### END YOUR CODE ###
   return codes
def make_codes_helper(node, codes, current_code):
   if(node == None):
       ### START YOUR CODE ###
       return None # What should you return if the node is empty?
       ### END YOUR CODE ###
   if(node.char != None):
       ### START YOUR CODE ###
       codes[node.char] = current_code # For leaf node, copy the current code to the correct position in codes
       ### END YOUR CODE ###
   ### START YOUR CODE ###
   make_codes_helper(node.left, codes, current_code+'0') # Make a recursive call to the left child node, with the updated current code
   make_codes_helper(node.right, codes, current_code+'1') # Make a recursive call to the right child node, with the updated current code
   ### END YOUR CODE ###
def print_codes(codes):
   codes_sorted = sorted([(k, v) for k, v in codes.items()], key = lambda x: len(x[1]))
   for k, v in codes_sorted:
       print(f'"{k}" -> {v}')
       
Test code:
# Do not change the test code here
sample_text = 'No, it is a word. What matters is the connection the word implies.'
freq = create_frequency_dict(sample_text)
tree = create_tree(freq)
merge_nodes(tree)
codes = make_codes(tree)
print('Example 1:')
print_codes(codes)
print()
freq2 = {'a': 45, 'b': 13, 'c': 12, 'd': 16, 'e': 9, 'f': 5}
tree2 = create_tree(freq2)
merge_nodes(tree2)
code2 = make_codes(tree2)
print('Example 2:')
print_codes(code2)

To know more about Huffman codes visit:

https://brainly.com/question/31323524

#SPJ11

what are the tyoe of typical application of mainframe computer

Answers

Explanation:

customer order processingfinancial transactions production and inventory control payroll

hope it is helpful to you

Consider a chocolate manufacturing company that produces only two types of chocolate – A and B. On each sale, the company makes a profit of 6 per unit A sold. 5 per unit B sold. Formulate the objective function of the problem

Answers

The objective function of the chocolate manufacturing company can be formulated as follows:

Maximize Profit = 6A + 5B

where A represents the number of units of type A chocolate sold and B represents the number of units of type B chocolate sold.

Since the company produces only two types of chocolate, the objective function only includes the profits earned from the sale of these two types of chocolates. The profit earned per unit of type A chocolate sold is 6, while the profit earned per unit of type B chocolate sold is 5. Therefore, the total profit earned by the company can be calculated by multiplying the number of units of type A chocolate sold by 6 and the number of units of type B chocolate sold by 5, and then adding the two values together.

The objective of the company is to maximize its profit, which means that it wants to sell as many units of chocolate as possible while keeping the production costs and other expenses as low as possible. By formulating the objective function in this way, the company can use optimization techniques to determine the optimal number of units of each type of chocolate to produce and sell in order to maximize its profits.

to learn more about objective function

https://brainly.com/question/15802846

#SPJ11

python

how do I fix this error I am getting

code:

from tkinter import *
expression = ""

def press(num):
global expression
expression = expression + str(num)
equation.set(expression)

def equalpress():
try:
global expression
total = str(eval(expression))
equation.set(total)
expression = ""

except:
equation.set(" error ")
expression = ""

def clear():
global expression
expression = ""
equation.set("")


equation.set("")

if __name__ == "__main__":
gui = Tk()



gui.geometry("270x150")

equation = StringVar()

expression_field = Entry(gui, textvariable=equation)

expression_field.grid(columnspan=4, ipadx=70)


buttonl = Button(gui, text=' 1', fg='black', bg='white',command=lambda: press(1), height=l, width=7)
buttonl.grid(row=2, column=0)

button2 = Button(gui, text=' 2', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button2.grid(row=2, column=1)

button3 = Button(gui, text=' 3', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button3.grid(row=2, column=2)

button4 = Button(gui, text=' 4', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button4.grid(row=3, column=0)
button5 = Button(gui, text=' 5', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button5.grid(row=3, column=1)
button6 = Button(gui, text=' 6', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button6.grid(row=3, column=2)
button7 = Button(gui, text=' 7', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button7.grid(row=4, column=0)
button8 = Button(gui, text=' 8', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button8.grid(row=4, column=1)
button9 = Button(gui, text=' 9', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button9.grid(row=4, column=2)
button0 = Button(gui, text=' 0', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
button0.grid(row=5, column=0)


Add = Button(gui, text=' +', fg='black', bg='white',command=lambda: press("+"), height=l, width=7)
Add.grid(row=2, column=3)

Sub = Button(gui, text=' -', fg='black', bg='white',command=lambda: press(2), height=l, width=7)
Sub.grid(row=3, column=3)

Div = Button(gui, text=' /', fg='black', bg='white',command=lambda: press("/"), height=l, width=7)
Div.grid(row=5, column=3)

Mul = Button(gui, text=' *', fg='black', bg='white',command=lambda: press("*"), height=l, width=7)
Mul.grid(row=4, column=3)

Equal = Button(gui, text=' =', fg='black', bg='white',command=equalpress, height=l, width=7)
Equal.grid(row=5, column=2)

Clear = Button(gui, text=' Clear', fg='black', bg='white',command=clear, height=l, width=7)
Clear.grid(row=5, column=1)

Decimal = Button(gui, text=' .', fg='black', bg='white',command=lambda: press("."), height=l, width=7)
buttonl.grid(row=6, column=0)

gui.mainloop()

Answers

Answer:

from tkinter import *

expression = ""

def press(num):

global expression

expression = expression + str(num)

equation.set(expression)

def equalpress():

try:

 global expression

 total = str(eval(expression))

 equation.set(total)

 expression = ""

except:

 equation.set(" error ")

 expression = ""

def clear():

global expression

expression = ""

equation.set("")

if __name__ == "__main__":

gui = Tk()

 

equation = StringVar(gui, "")

equation.set("")

gui.geometry("270x150")

expression_field = Entry(gui, textvariable=equation)

expression_field.grid(columnspan=4, ipadx=70)

buttonl = Button(gui, text=' 1', fg='black', bg='white',command=lambda: press(1), height=1, width=7)

buttonl.grid(row=2, column=0)

button2 = Button(gui, text=' 2', fg='black', bg='white',command=lambda: press(2), height=1, width=7)

button2.grid(row=2, column=1)

button3 = Button(gui, text=' 3', fg='black', bg='white',command=lambda: press(3), height=1, width=7)

button3.grid(row=2, column=2)

button4 = Button(gui, text=' 4', fg='black', bg='white',command=lambda: press(4), height=1, width=7)

button4.grid(row=3, column=0)

button5 = Button(gui, text=' 5', fg='black', bg='white',command=lambda: press(5), height=1, width=7)

button5.grid(row=3, column=1)

button6 = Button(gui, text=' 6', fg='black', bg='white',command=lambda: press(6), height=1, width=7)

button6.grid(row=3, column=2)

button7 = Button(gui, text=' 7', fg='black', bg='white',command=lambda: press(7), height=1, width=7)

button7.grid(row=4, column=0)

button8 = Button(gui, text=' 8', fg='black', bg='white',command=lambda: press(8), height=1, width=7)

button8.grid(row=4, column=1)

button9 = Button(gui, text=' 9', fg='black', bg='white',command=lambda: press(9), height=1, width=7)

button9.grid(row=4, column=2)

button0 = Button(gui, text=' 0', fg='black', bg='white',command=lambda: press(2), height=1, width=7)

button0.grid(row=5, column=0)

Add = Button(gui, text=' +', fg='black', bg='white',command=lambda: press("+"), height=1, width=7)

Add.grid(row=2, column=3)

Sub = Button(gui, text=' -', fg='black', bg='white',command=lambda: press("-"), height=1, width=7)

Sub.grid(row=3, column=3)

Div = Button(gui, text=' /', fg='black', bg='white',command=lambda: press("/"), height=1, width=7)

Div.grid(row=5, column=3)

Mul = Button(gui, text=' *', fg='black', bg='white',command=lambda: press("*"), height=1, width=7)

Mul.grid(row=4, column=3)

Equal = Button(gui, text=' =', fg='black', bg='white',command=equalpress, height=1, width=7)

Equal.grid(row=5, column=2)

Clear = Button(gui, text=' Clear', fg='black', bg='white',command=clear, height=1, width=7)

Clear.grid(row=5, column=1)

Decimal = Button(gui, text=' .', fg='black', bg='white',command=lambda: press("."), height=1, width=7)

Decimal.grid(row=6, column=0)

gui.mainloop()

Explanation:

I fixed several other typos. Your calculator works like a charm!

pythonhow do I fix this error I am gettingcode:from tkinter import *expression = "" def press(num): global

Edhesive 9.1 lesson practice answers

Answers

Answer:

1. False

2. Rows and columns

3. Grid

Explanation: Bam

What are the 5 levels of physical security?

Answers

We occasionally appear to never achieve our goal.  When we finally receive what we desire, though, there are occasions when we discover it's not what we actually wanted. That's because our needs and wants don't always line up.

The scientific study of the mind, as well as that of people and animals, is known as psychology. Numerous psychological studies have been conducted on human wants and the best ways to meet them. Humans need to constantly satisfy their fundamental requirements, according to studies. Studies have also revealed that these demands must be met in a certain sequence based on priority. Abraham Harold Maslow, a significant psychologist who lived from 1908 to 1970, rose to fame for his research on the needs and desires of people. He published two important books, Motivation and Personality and Toward a Psychology of Being. Maslow emphasized that in order to be creative or autonomous, a person must first have their fundamental needs met. Before moving on to meet other, more creative and self-fulfilling requirements, a person must first meet their fundamental functioning demands.

Learn more about Psychology here:

https://brainly.com/question/10980588

#SPJ4

please can someone help me with this?

please can someone help me with this?

Answers

Explanation:

there fore 36:4 = m¤

46:6

20:16

#von5

blueprint could not be loaded because it derives from an invalid class. check to make sure the parent class for this blueprint hasn't been removed! do you want to continue (it can crash the editor)?

Answers

The error message, "Blueprint could not be loaded because it derives from an invalid class" implies that the blueprint could not be loaded due to the fact that it is based on an invalid class. This error message can occur when a blueprint's parent class has been deleted or is no longer present in the game.

Thus, the blueprint cannot be loaded by the game engine. The message goes further to ask the user to ensure that the parent class has not been removed before continuing. If the user chooses to continue, the engine may crash. This can happen if the engine is not able to identify the base class of the blueprint and thus, cannot load the blueprint's content. If you encounter this issue, it is advisable to try to locate and restore the parent class for the blueprint in order to fix the error. One of the ways to do this is to restore the base class that was removed or to rebuild the parent class.

It is important to note that if the blueprint is critical to the game, a crash may result if the blueprint is loaded without fixing the error. In conclusion, Blueprint could not be loaded because it derives from an invalid class can be fixed by restoring the parent class or rebuilding it to ensure that the game engine can load the blueprint without crashing.

To know more about blueprint visit:

https://brainly.com/question/28187253

#SPJ11

List three ideas for checking in with your progress and recognizing completion on your actions.

Answers

One idea for checking in with your progress and recognizing completion on your action is to set specific milestones or targets along the way and regularly evaluate your progress towards them.

How can you effectively track your progress and acknowledge completion of your action?

To effectively track your progress and acknowledge completion of your action, it is important to establish clear milestones or targets that can serve as checkpoints. Break down your overall goal into smaller, measurable objectives that can be achieved incrementally.

Regularly assess your progress by comparing your actual achievements against these milestones. This will provide you with a tangible way to track your advancement and ensure that you stay on track. Once you reach a milestone or successfully complete a specific objective, take the time to acknowledge and celebrate your achievement.

Read more about action check

brainly.com/question/30698367

#SPJ1

Need help ASAP

Select the correct answer.
Which testing is an example of non-functional testing?

A.testing a module

B.testing integration of three modules

C.testing a website interface

D. testing the response time of a large file upload

Answers

Answer:

Option D, testing the response time of a large file upload

Explanation:

Non functional testing is basically the testing of non performance related attributes. Time taken in uploading a file is of a non performance attribute and hence, testing this attribute is termed as non functional testing. Remaining options are essential performance attributes which needs to be tested regularly.

Hence, option D is correct

This computer component holds the program and data that is currently being processed.
RAM
ROM
Bus
Ports

Answers

RAM, or Random Access Memory, is the hardware in a computer that stores the operating system (OS), application programs, and current data so that the processor can quickly access them.

What is the name of the equipment that transforms data into information?

Data are controlled and manipulated by the central processing unit (CPU) to produce information. A single integrated circuit or microprocessor chip houses a computer's central processing unit (CPU). The term "microprocessor" refers to these chips. Data as well as program instructions for processing the data are stored in memory, also known as primary storage.

What is the kind of secondary storage that stores programs and data using laser technology?

Any kind of storage where data is written to and read from with a laser is considered optical storage. Data is typically written to optical media like digital versatile discs (DVDs) and compact discs (CDs).

To know more about operating system visit :-

https://brainly.com/question/6689423

#SPJ4

you have a worksheet in excel that will print as 10 pages. how can you ensure that the header row is printed at the top of each page?

Answers

The header row is a text that appear on each page of an Excel spreadsheet.

To ensure that the header row is printed at the top of all the 10 pages, you follow the listed steps

Go to Page layout tabClick page set up under page set up group.Go to print tilesClick Rows to repeat at top Select the cell that contains the text you want to repeat. Click OK.

The above steps will ensure that  the texts appear on each of the 10 pages.

Read more about header rows at:

https://brainly.com/question/20780098

You need to find an invoice in QuickBooks. Which method can you NOT use to do so? A. Select edit > find from the menu B. Use the search field on the Navbar C. Open an invoice and click the Find button D. select customers > Find invoice from the menu

Answers

To find an invoice in QuickBooks, you cannot use the method mentioned in option C: open an invoice and click the Find button. Options A, B, and D provide valid methods to search for an invoice.

Option C, which suggests opening an invoice and clicking the Find button, is not a valid method to find an invoice in QuickBooks. QuickBooks does not have a dedicated "Find" button within an invoice to search for other invoices. Instead, QuickBooks offers alternative methods to locate invoices:

A. Select Edit > Find from the menu: This method allows you to use the search functionality provided in QuickBooks to search for invoices based on specific criteria such as invoice number, customer name, or other relevant details.

B. Use the search field on the Navbar: QuickBooks provides a search field on the Navbar, typically located at the top of the window. You can enter keywords, invoice numbers, or customer names in the search field to find the desired invoice.

D. Select Customers > Find Invoice from the menu: This method allows you to navigate the menu options to access the "Find Invoice" feature within the Customers section. This feature enables you to search for invoices associated with specific customers.

In summary, option C is the incorrect method, suggesting a non-existent action within QuickBooks for finding an invoice. Options A, B, and D provide valid approaches to searching for invoices in QuickBooks.

To learn more about invoices visit:

brainly.com/question/9549208

#SPJ11

Computer science student jones has been assigned a project on how to set up sniffer. What just he keep in mind as part of the process?

Computer science student jones has been assigned a project on how to set up sniffer. What just he keep

Answers

In the case above, what just comes to  mind as part of the process is option d.

What is sniffer?

A sniffer is known to be a kind of a software or hardware tool that gives room for a person to be able to “sniff” or look through one's internet traffic in real time, getting  all the data flowing to and from a person's computer.

Therefore, In the case above, what just comes to  mind as part of the process is option d.

Learn more about sniffer from

https://brainly.com/question/14265770

#SPJ1

a cisc-style instruction set has a large number of high-level instructions that perform highly complex operations in a single step. what would be the major advantages of such a design? what would be some of the primary disadvantages?

Answers

Both desktop and laptop computers employ CISC (complex instruction set computer) CPUs. Small programs are on CISC machines. It requires a lot of time to execute because it contains a great deal of compound instructions.

What do you mean by CISC?

Both desktop and laptop computers employ CISC (complex instruction set computer) CPUs. More complex instructions can be processed by this kind of CPU. For instance, a single instruction might load two values, add them, and then store the outcome back in memory.

A computer that, in contrast to a computer with a limited instruction set, allows individual instructions to perform numerous processes and need a large number of cycles to complete (RISC).

Small programs are on CISC machines. It requires a lot of time to execute because it contains a great deal of compound instructions. In this case, a single set of instructions is safeguarded in stages; each instruction set contains more than 300 distinct instructions. On average, instructions take two to ten machine cycles to complete.

To learn more about CISC refer to:

https://brainly.com/question/13266932

#SPJ4

HERES A RIDDLE!!

What is more useful when it’s broken??

Answers

Answer:

an egg

Explanation:

(ANYONE GOOD AT PYTHON!?)
Write a program that outputs some Leaderboard. Pick something that interests you.

You must have a minimum of 3 rows of data and 2 columns (name can be one).


I created 6 variables called player_1, player_2 and player_3, points_1, points_2 and points_3. Be sure to use meaningful names. I centered the names and right-justified the total points. You may format your data to your liking, but the output must be in clean rows and columns.

Answers

Answer:

# Python Recap

def main():

runTimeInMinutes = 95

   movieTitle = "Daddy Day Care"

   print(movieTitle)

   movieTitle = "Hotel for Dogs"

   print(movieTitle)

   print(runTimeInMinutes)

main()

Explanation:

tell me your thoughts about cryptocurrency and blockchain
accounting.
Can
we rely on cryptocurrency?
Do
you think this is our future or just a fad?
How
comfortable would you feel if you were"

Answers

In conclusion, I believe that cryptocurrency and blockchain accounting are innovative technologies that have the potential to transform the way we do business. If I were in a position to use cryptocurrency, I would feel comfortable using it if I understood it well and trusted the source.

Cryptocurrency is a new technological innovation that has revolutionized the monetary exchange industry. A cryptocurrency is a digital or virtual currency that uses cryptography for security. The most famous cryptocurrencies are Bitcoin, Ethereum, Ripple, and Litecoin. Cryptocurrency has become a hot topic, and people are still trying to figure out how to rely on it and whether it is the future or just a fad.

Blockchain accounting is an online ledger that tracks the history of transactions. Blockchain technology has been critical to the development of cryptocurrency. The decentralization and transparency of blockchain accounting make it an excellent tool for tracking and verifying transactions. Blockchain accounting is tamper-proof, making it very reliable.

Learn more about blockchain: https://brainly.com/question/30793651

#SPJ11

100 POINTS LEGIT ANSWERS ONLY. I DON'T MIND REPOSTING. WILL REPORT BAD ANSWERS. [WILL GIVE BRAINLIEST TO THOSE WHO GIVE GOOD ANSWERS.]
What does a Python library contain?

Binary codes for machine use.
A collection of modules or files.
Documentation for Python functions.
Text files of software documentation.

Answers

Answer:  The correct answer is A collection of modules or files

Explanation:   Python’s standard library is very extensive, offering a wide range of facilities as indicated by the long table of contents listed below. The library contains built-in modules (written in C) that provide access to system functionality such as file I/O that would otherwise be inaccessible to Python programmers, as well as modules written in Python that provide standardized solutions for many problems that occur in everyday programming. Some of these modules are explicitly designed to encourage and enhance the portability of Python programs by abstracting away platform-specifics into platform-neutral APIs.

You can trust this answer, I have extensive knowledge in all facets and areas of technology!   :)

Alexis wants to learn HTML and CSS. She wants to test her coding skills in these design languages. How can she practice her code-writing ability? Alexis can learn and implement her knowledge about HTML and CSS by practicing on websites.

Answers

Answer:

DIY

Explanation:

Alexis wants to learn HTML and CSS. She wants to test her coding skills in these design languages. How

Complete the missing part of the line to allow you to read the contents of the file.
inFile = ____ ('pets.txt','r')

Answers

Answer: Sorry I’m late but the answer is open

Explanation: Edge 2021

The missing part of the line allows you to read the contents of the file. inFile = Open ('pets.txt','r').

What is the file format?

The term file format refers to that, A standard way the information is encoded for storage in a computer file. It specifies how bits are used to encode information in a digital storage medium. File formats may be either proprietary or free.

The file format is the structure of that file, Which runs a program and displays the contents. As there are many examples like a Microsoft Word document saved in the. DOC file format is best viewed in Microsoft Word. Even if another program can open the file.

Therefore, By the File format allows you to read content and can open up the file format.

Learn more about  file format here:

https://brainly.com/question/1856005

#SPJ2

How Can I add a image in an HTML program?​ please tell

Answers

Answer:

use the img tag

Explanation:

First of al, HTML is not a program, it is a markup language.

To add an image, use:

<img src="...url to the image...">

Write a program that inputs the length of two pieces of fabric in feet and inches(as whole numbers) and prints the total

Write a program that inputs the length of two pieces of fabric in feet and inches(as whole numbers) and

Answers

Converting from inches to feet requires a modulo operator.

The modulo operator returns the remainder of a division.

The program in Python, where comments are used to explain each line is as follows:

#This gets the input for feet

feet1 = int(input("Enter the Feet: "))

#This gets the input for inches

inch1 = int(input("Enter the Inches: "))

#This gets another input for feet

feet2 = int(input("Enter the Feet: "))

#This gets another input for inches

inch2 = int(input("Enter the Inches: "))

#This calculates the total inches, using the modulo operator

totalInches = (inch1 + inch2)%12

#This calculates the total feet

totalFeet = feet1 + feet2 + (inch1 + inch2)//12

#This prints the required output

print("Feet: {} Inches: {}".format(totalFeet,totalInches))

At the end of the program, the total feet and total inches are printed.

Read more about similar programs at:

https://brainly.com/question/13570855

When would you use an omnidirectional microphone?


when there are three or more actors in a scene

when it is a windy day and you want to reduce the sound of the wind in the recording

when you want to get outdoor sounds that relate to an outdoor scene in a film

when you want to record in surround sound

Answers

Answer:

when it is a windy day and you want to reduce the sound of the wind in the recording

you click the "full extent" tool and your data disappears, what is a possible cause of this problem?

Answers

One possible cause of the problem where data disappears after clicking the "full extent" tool could be an **unexpected software glitch or bug**. Glitches in software can lead to unintended consequences, including data loss or unexpected behavior.

The "full extent" tool is typically used to zoom or navigate to the entire extent or coverage of a dataset or map. If a glitch occurs within the software or the tool itself, it might trigger an undesired action, such as inadvertently clearing or removing the data.

Another potential cause could be **user error or accidental selection**. It's possible that the user unintentionally selected an option or performed an action that triggered the removal or hiding of the data. This could happen due to a mistaken click, keyboard shortcut, or unfamiliarity with the tool's functionality.

To resolve the issue, it is advisable to check for any available software updates or patches that might address known bugs. Additionally, verifying user actions and exploring options to restore or recover the lost data may be necessary. It's important to regularly backup data to prevent the permanent loss of important information in case such incidents occur.

To know more about glitch, visit

https://brainly.com/question/30637424

#SPJ11

PLS ANSWER NOW QUICKLY!!!!
If the car can recognize and have an understanding or estimation of more information about the people involved should that influence the decision that is made? To clarify with an example: if the car’s software can recognize that a pedestrian is a mother with two children in a stroller or a pregnant woman, should that be factored into the decision that is made by the software? Why or why not?

Answers

Ethical implications of recognizing vulnerable individuals in autonomous vehicle decision-making

The use of additional information in the decision-making process of an autonomous vehicle raises ethical and moral questions. Recognizing and prioritizing the safety of vulnerable individuals at risk of injury in an accident ensures safety.

Using such information could raise concerns about privacy, bias, and discrimination. The technology used to recognize and understand pedestrians may need to be more accurate and could lead to incorrect decisions or unintended consequences.

Relying on this information could perpetuate existing biases and inequalities, such as prioritizing the safety of specific individuals over others based on their perceived vulnerability.

The decision to factor should consider the potential benefits and risks and an ethical framework that prioritizes safety while considering the rights and dignity of individuals.

A _____ consists of related program code organized into small units that are easy to understand and maintain.

Answers

A module consists of related program code organized into small units that are easy to understand and maintain.

It is a separate software component, which is designed to perform a single task within an application. They are written to allow the reuse of code in different parts of a program or across different programs. Module also helps in the organization of code, making it easier to understand, debug, test, and maintain.

Modules provide a way for developers to break down an application into smaller, more manageable pieces. The code within each module can be reused and shared across different parts of the application or different applications entirely. This reuse and sharing of code help save development time and effort.

Modules can be implemented in many programming languages, including Python, Java, C, C++, and more. In Python, modules are implemented using .py files. They can be imported into other Python scripts and provide a way to modularize a Python application.

In conclusion, modules are a critical component of software development. They provide a way to break down an application into smaller, more manageable pieces of code, and help in the reuse and sharing of code across different parts of an application or different applications entirely.

Learn more about Modules here,the module definition comprises the module header and the module ________.

https://brainly.com/question/30187599

#SPJ11

Other Questions
Lee y escoge la opcin con la palabra o palabras correctas para completar la frase. Read and choose the option with the correct word or words to complete the sentence.Cuando escribes un ensayo persuasivo, es importante tomar unasobre el tema que elegiste. (1 point)O ganchoO conclusinO contraargumentoO posicinwhat is the answer? Suppose that y varies directly with x , and y=21 when x=3. write a direct variation squation that relates x and y. then find y when x=-2 Your bank statement shows a balance of $670. Your checkbook register shows a balanceof $462. You earned interest of $2, and had a service charge of $4 which had previously been posted to the check register. What is the amount of outstanding checks assuming there are no deposits in transit?A. $210B. $208C. $180D. $12E. $6 A contract can discharge a party due to external causes. Namefour ways a contract can be discharged by external causes. evaluate the limit using techniques from chapters 1 and 3 and using l'hpital's rule. lim x0 sin(2x)/4x(a) using techniques from Chapters 1 and 3 (b) using L'Hpital's Rule PLEASE HELP I NEED TO FINISH THIS A manufacturer of men's shirts determines that her costs will be $600 for overhead plus $9 for each shirt made. Her countant has estimated that her selling price p should be determined by p3 0-02 V, where is the number of shirts sold. The price that should be charged for each item at the profil-maximizing quantity is OAD - $27 OB.p = $31 OCDE $12 Op=516 explain why mary shelley includes the story of safie in the novel. use evidence and examples from the text to support your answer. Another question lol (30 Points!!)Write an equation of the line passing through point P(0, 0) that is perpendicular to the line y = 9x1.y = ? Explain how the resolution of Proctor's conflict reveals a major themein the play. Exercise 2 Correct each personal pronoun in italics so it agrees with its antecedent in the sentence. Cross out the incorrect pronoun, and write the correct word above it. Do not change any pronouns that already agree with the antecedent in number and gender. Sandy succeeded in attaining her goal. Which fraction is equivalent to 0.142857 HELPP MEEEEEEEEEEE PLSSSSSSSSSSSSSSS What type of experiments can be carried out to determine the spontaneity of a reaction? Does spontaneity have any relationship to the final equilibrium position of the reaction? Explain. URGENT PLEASE ANSWER I NEED THE HELP IM GIVING LOTS OF POINTS!!!Read the passage.excerpt from "The Masque of the Red Death" by Edgar Allan PoeIt was in this apartment, also, that there stood against the western wall, a gigantic clock of ebony. Its pendulum swung to and fro with a dull, heavy, monotonous clang; and when the minute-hand made the circuit of the face, and the hour was to be stricken, there came from the brazen lungs of the clock a sound which was clear and loud and deep and exceedingly musical, but of so peculiar a note and emphasis that, at each lapse of an hour, the musicians of the orchestra were constrained to pause, momentarily, in their performance, to hearken to the sound; and thus the waltzers perforce ceased their evolutions; and there was a brief disconcert of the whole gay companyRefer to Explorations in Literature for a complete version of this story.Which statements best explain how the sensory language affects the tone in this excerpt?Select each correct answer.ResponsesWords like musical and gay create a positive and welcoming tone.Words like musical and gay create a positive and welcoming tone.Refer to Explorations in Literature for a complete version of this story.Which statements best explain how the sensory language affects the tone in this excerpt?Select each correct answer.ResponsesA: Words like musical and gay create a positive and welcoming tone.B: The sensory language creates a suspenseful tone; everyone pauses as the clock chimes disrupt their waltz.C: The sensory language creates a joyful tone; the guests are elated at the lavish party and beautiful music.D: The use of words like dull, clang, and monotonous create an ominous tone. (WILL GIVE BRAINLIEST) What did Rutherford's model of the atom include that Thomson's model did not have? A single factory produces two different products during each half of the year with equivalent fixed cost; from January through June they produce Product A and from July through December they produce Product B. Product B costs three times as much to produce and the price of Product A is one third of Product B. The breakeven quantity of Product A as related to the breakeven quantity of product B is best represented by: Show the work for this problem A piston has an external pressure of 5.00 atm . How much work has been done in joules if the cylinder goes from a volume of 0.130 liters to 0.610 liters