Write an if-else statement for the following: If user_tickets is less than 5, assign num_tickets with 1. Else, assign num_tickets with user_tickets. Sample output with input: 3 Value of num_tickets: 1

Answers

Answer 1

The if-else statement as based on python 3.8 is given below

if user_tickets < 5:

  num_tickets = 1

else:

  num_tickets = user_tickets

Note that if this code is to work properly, a person need to first declare user_tickets before the if-else statements.

What is this if statement?

The if/else statement is known to be that which carry out a block of code if a given condition is true.

Note that If the condition is false, a given  or another block of code iis one that can be executed.

Learn more about if-else statements from

https://brainly.com/question/18736215

#SPJ1


Related Questions

What would the theoretical variance (square of the standard deviation) of the following random values be? rand(Normal(80, 10), 200)

Answers

The theoretical variance of the random values is 100

How to determine the theoretical variance?

The distribution is given as:

rand(Normal(80, 10), 200)

The syntax of the distribution is:

rand(Normal(Mean, Standard deviation), Sample size)

This means that:

Standard deviation = 10

Square both sides

Variance = 100

Hence, the theoretical variance of the random values is 100

Read more about variance at:

https://brainly.com/question/13708253

#SPJ1

multiplication algorithm flow chart

Answers

An example of a multiplication algorithm flow chart is given in the image attached.

What is booth algorithm flowchart?

The Booth's Algorithm Flowchart  is known to be a that is unique. The standard algorithm is known to be a method used in doing multiplication by via the use of partial products or via multiplying in parts.

Therefore, An example of a multiplication algorithm flow chart is given in the image attached.

Learn more about algorithm flow chart from

https://brainly.com/question/18088572

#SPJ1

6.24 LAB: Convert to binary - functions
Write a program that takes in a positive integer as input, and outputs a string of 1's and 0's representing the integer in binary. For an integer x, the algorithm is:

As long as x is greater than 0
Output x % 2 (remainder is either 0 or 1)
x = x // 2
Note: The above algorithm outputs the 0's and 1's in reverse order. You will need to write a second function to reverse the string.

Ex: If the input is:

6
the output is:

110
The program must define and call the following two functions. Define a function named int_to_reverse_binary() that takes an integer as a parameter and returns a string of 1's and 0's representing the integer in binary (in reverse). Define a function named string_reverse() that takes an input string as a parameter and returns a string representing the input string in reverse.
def int_to_reverse_binary(integer_value)
def string_reverse(input_string)

in python

Answers

The program illustrates the use of functions, iterations and modulo operator

The complete program

The program written in Python is as follows:

import math

def int_to_reverse_binary(integer_value):

  remainder = ""

  while integer_value>=1:

      remainder+=str(integer_value % 2)

      integer_value=math.floor(integer_value/2)

  reverse_string(remainder)

def reverse_string(input_string):

  binaryOutput=""

  for i in range(len(input_string)-1,-1,-1):

      binaryOutput = binaryOutput + input_string[i]

  print(binaryOutput)

integer_value = int(input("Enter a Number : "))

int_to_reverse_binary(integer_value)

Read more about Python programs at:

https://brainly.com/question/13246781

#SPJ1

A computer cannot boot if it doesn't have ?

Answers

Answer:

without an operating system, a computer cannot boot, as it also provides services for the computer programs.

Hope This Helps!!!

Answer: A computer can't boot without an operating system.

Explanation:

An operating system is  a system software that manages computer hardware, software resources, and provides common services for computer programs. Without the operating system, the computer can't function to have a boot-able device.

Create a Horse table with the following columns, data types, and constraints:

ID - integer with range 0 to 65 thousand, auto increment, primary key

RegisteredName - variable-length string with max 15 chars, not NULL

Breed - variable-length string with max 20 chars, must be one of the following: Egyptian Arab, Holsteiner, Quarter Horse, Paint, Saddlebred

Height - number with 3 significant digits and 1 decimal place, must be ≥ 10.0 and ≤ 20.0

BirthDate - date, must be ≥ Jan 1, 2015

Note: Not all constraints can be tested due to current limitations of MySQL.

Answers

Answer:

see pictures. Brainly doesn't allow SQL code here.

Explanation:

I did not investigate the constraints other than the NOT NULL constraint. This will actually cause the INSERT to fail because the last value has NULL for a RegisteredName.

Choose the 3 correct statements for the code below.

An object of the ActivationLayer class has a name attribute.
An object of the BaseLayer class has a size attribute.
print(FCLayer(42)) prints FullyConnectedLayer.
When creating an object of the ActivationLayer class, the size argument must be given.
When creating an object of the BaseLayer class, the name argument must be given.

Answers

Answer:

True

False

True

False

True

Explanation:

So I'll go through each statement and explain why or why not they're correct.

An object of the ActivationLayer class has a name attribute. So because ActivationLayer is inheriting the BaseLayer and it's calling super().__int__("Activation") it's going to call the BaseLayer.__init__ thus setting a name attribute equal to "Activation" for any ActivationLayer object that is initalized. So this is true

An object of the BaseLayer class has a size attribute. While it is true that FC layer is inheriting from BaseLayer and it has a size attribute, this does nothing to change the BaseLayer class. So any object initialized to a BaseLayer object will only have the instance attribute "self.name". So this is false

print(FCLayer(42)) prints FullyConnectedLayer. So whenever you print an object, it tries to convert the object to a string using the __str__ magic method, but if that wasn't defined it then tries the __repr__ method, which the FCLayer class technically doesn't define, but it inherits it from the BaseLayer class. And since whenever you define an FCLayer object it calls super().__init__ with "FullyConnected", which will then be assigned to the instance variable self.name,  it will print "FullyConnectedLayer". So this is true

When creating an object of the ActivationLayer class, the size argument must be given. This is true, because the size is a parameter of the __init__ method of ActivationLayer, it is not an optional parameter, and is something that must be passed otherwise an error will be raised. So this is false

When creating an object of the BaseLayer class, the name argument must be given. This is not true, because name is a default argument. This means if you do not pass an argument for name, then name will equal an empty string

you are working at a computer that has standardized on windows 10 workstation for all. the phone rings and it is your superior. he tells you that his workstation is running incredibly slow, almost to the point where it is unusable. he reports that be has exited out of everything of the operating system. you suspect there are background process tying up the cpu memory. which utility can you have him use to look for such culprit?

Answers

Answer:

Task Manager

Explanation:

Task manager allows the user to look at all processes and applications running. Using Task Manager, the user find which component is being utilized the most and finding the processes that are effecting the component.

In Python write a while loop that repeats while user_num ≥ 1. In each loop iteration, divide user_num by 2, then print user_num.

Sample output with input: 20
10.0
5.0
2.5
1.25
0.625

user_num = int(input())

Answers

Answer:

user_num = int(input("Enter a number: "))

while user_num >=1;

 user_num = user_num/2

 print(user_num)

If this helped consider marking brainliest. Have a nice day.

Python code that implements the while loop as described:

```python

user_num = int(input())

while user_num >= 1:

   user_num /= 2

   print(user_num)

```

When you run this code and provide the input 20, you will get the desired output:

```

10.0

5.0

2.5

1.25

0.625

```

The loop continues as long as the `user_num` is greater than or equal to 1, and in each iteration, it divides the value by 2 and prints the result.

Know more about Python:

https://brainly.com/question/30391554

#SPJ7

How to solve everything in Kotlin??

A) create a method that takes a string as a parameter and inverts it.

C) Create a car class that contains Brand, model, year of release and current speed. Use the primary constructor

B) create the main function, and create 4 objects of class car and store them in a vector and print them.

Answers

Answer:

crreate a method that takes a string as a perimeter and inverts it

What is one way a pivottable could combine the following data?

Gadget
Doodad Green
Gizmo
Widget
Color
Doodad Orange 400
Widget
Widget
Blue
Yellow
Unit Sales
Brown
h
White
200
350
125
100
175

Answers

answer

gadget color blue yellow

Below functions flatten the nested list of integers (List[List[int]]) into a single list and remove duplicates by leaving only the first occurrences. When the total number of elements is N, choose the one that correctly compares the time complexity with respect to N of each function.

Answers

The time complexities of the functions is (a) f1 = f3 < f2

How to compare the time complexities?

The code of the functions f1, f2 and f3 are added as an attachment

To compare the time complexities of the functions, we check the loop and conditional statement in each function.

From the attached code, we can see that:

Function f1: 2 loops and 1 conditional statementFunction f2: 2 loops and 1 conditional statement in the second loopFunction f3: 2 loops and 1 conditional statement

In function f2, we have:

The conditional statement in the second loop implies that the conditional statement would be executed several times as long as the loop is valid.

This implies that:

f2 > f1 and f2 > f3

The number of loops and conditional statement in functions f1 and f3 are equal

This means that

f1 = f3

So, we have:

f2 > f1 = f3

Rewrite f2 > f1 = f3 as:

f1 = f3 < f2

Hence, the time complexities of the functions is (a) f1 = f3 < f2

Read more about time complexities at:

https://brainly.com/question/15549566

#SPJ1

the objective fuction of linear progrmming should be

Answers

the real-valued function whose value is to be either minimized or maximized subject to the constraints defined on the given LPP over the set of feasible solutions. The objective function of a LPP is a linear function of the form z = ax + by.

How do you create a function in C++

Answers

Answer:

1. Declaration: the return type, the name of the function, and parameters (if     any)

2. Definition: the body of the function (code to be executed)

Explanation:

Write the line of code (from the CSV package) that will import a comma-separated file named data.csv as a Julia Data Frame. Simply write the function and its argument reflecting the file name. You don't have to provide a delimiter.

Answers

The line of code that imports the csv file is df = DataFrame(CSV.File("data.csv"))

How to determine the line of code?

From the question, the file name is:

data.csv

The syntax that imports the file as a julia dataframe is:

df = DataFrame(CSV.File("file-name"))

Since the filename is data.csv, the code becomes

df = DataFrame(CSV.File("data.csv"))

Hence, the line of code that imports the csv file is df = DataFrame(CSV.File("data.csv"))

Read more about data frame at:

https://brainly.com/question/28016629

#SPJ1

Question 8 of 10
What are two issues that can be encountered when sending documents
through email?
A. The sender can forget to attach the document to the email.
B. Emailing documents is a long, complex process.
C. The paper clip icon in the program must be selected to find the
correct file and attach it.
D. Some documents are too large to be sent through email.

Answers

Answer:

A & D

Explanation:

A) Forgetting to attach a document/misclicking is a common issue when sending documents.

B) Attaching a document is not a complex topic and does not require much time.

C) There are other ways of attaching a document; after looking, it is not hard to find the icon. You can also search for the file uploader button as well.

D) This is a big issue; to scale the document down, you have to shrink it or transform the size. It creates multiple issues.

Write pseudocode for a program that will record weather-related data for any month or months. a. Input could be month name(s) b. for loop inputs could be: i. High and low temperatures ii. Precipitation iii. Humidity

Answers

Pseudocodes are simply false codes that are used as program prototypes

The pseudocode of the program

The program pseudocode is as follows:

Input numMonths

for i = 0 to numMonths:

 Input monthName

 input highTemp and lowTemp

 input precipitation and humidity

Read more about pseudocode at:

https://brainly.com/question/17102236

#SPJ1

explain how principles of computational thinking skills are applied in finding solutions that can be interpreted into software applications

Answers

The uses are:

They can help man to solve complex problems. Computational thinking helps man to make complex problem more easy.It helps us to understand the level of the problem and form possible solutions.

How is computational thinking used?

Computational thinking is known to be that which gives room for user to know what to inform the computer to do due to the fact that a computer only acts and processes what it is said to be programmed to do.

Therefore, The uses are:

They can help man to solve complex problems. Computational thinking helps man to make complex problem more easy.It helps us to understand the level of the problem and form possible solutions.

Learn more about Computational thinking  from

https://brainly.com/question/23999026

#SPJ1

Which of the following is not true about Mac computers? The current version of OS X is called El Capitan. Macs come with a variety of useful programs already installed. Boot Camp is a program that allows you to install and run Windows on a Mac Macs have a reputation for being unsecure, unstable and difficult to use.​

Answers

Mac’s current OS is El Capitan and Macs have a reputation to be unsecure. Both of these are not true.

In Python write a program that reads a list of integers into a list as long as the integers are greater than zero, then outputs the values of the list.

Ex: If the input is:

10
5
3
21
2
-6
the output is:

[10, 5, 3, 21, 2]

Answers

Answer:

l = []

while True:

 no = int(input())

 if no>0:

   l.append(no)

 else:

   break

print(1)

If this helped consider marking this answer as brainliest. Have a good day.

The Horse table has the following columns:

ID - integer, auto increment, primary key
RegisteredName - variable-length string
Breed - variable-length string, must be one of the following: Egyptian Arab, Holsteiner, Quarter Horse, Paint, Saddlebred
Height - decimal number, must be between 10.0 and 20.0
BirthDate - date, must be on or after Jan 1, 2015
Insert the following data into the Horse table:

RegisteredName Breed Height BirthDate
Babe Quarter Horse 15.3 2015-02-10
Independence Holsteiner 16.0 2017-03-13
Ellie Saddlebred 15.0 2016-12-22
NULL Egyptian Arab 14.9 2019-10-12

Answers

See below for the statement to insert the data values

How to insert the records?

To do this, we make use of the insert statement.

This is done using the following syntax:

INSERT INTO table_name (column_name, ...) VALUES (value, ...)

Using the above syntax and the data values, we have the following insert statement.

INSERT INTO Horse (RegisteredName, Breed, Height, BirthDate)

VALUES ('Babe Quarter', 'Horse', '15.3', '2015-02-10'), ('Independence', 'Holsteiner', '16.0', '2017-03-13'), ('Ellie', 'Saddlebred', '15.0', '2016-12-22')

INSERT INTO Horse (Breed, Height, BirthDate) VALUES ('Egyptian Arab', '14.9','2019-10-12')

Read more about SQL at:

https://brainly.com/question/10097523

#SPJ1

Answer:

INSERT INTO Horse (RegisteredName, Breed, Height, BirthDate) VALUES

  ('Babe', 'Quarter Horse', '15.3', '2015-02-10');

INSERT INTO Horse (RegisteredName, Breed, Height, BirthDate) VALUES

  ('Independence', 'Holsteiner', '16.0', '2017-03-13');

 

INSERT INTO Horse (RegisteredName, Breed, Height, BirthDate) VALUES

  ('Ellie', 'Saddlebred', '15.0', '2016-12-22');

INSERT INTO Horse (RegisteredName, Breed, Height, BirthDate) VALUES

  (NULL, 'Egyptian Arab', '14.9', '2019-10-12');

Explanation:

Which of the following formulas properly produces the string "Income Statement"?
O
OO
= "Income"&"Statement"
= "Income "+"Statement"
=Income&Statement
= "Income"&" "&"Statement"

Answers

The  formulas that properly produces the string "Income Statement" is: D. = "Income"&" "&"Statement"

What is income statement?

Income statement is a statement that report the income and expenditure a company or an organization generated at particular or specific period of time.

Option A="Income"&"Statement" :Will produce value IncomeStatement

Option B="Income"+"Statement": Will produce no value

Option C =Income&Statement: Will  produce no value.

Option D ="Income"&" "&"Statement": Will produce value Income Statement

Hence, the formulas that properly produces the string "Income Statement" is option  D which is: = "Income"&" "&"Statement"

Learn more about Income statement here:

https://brainly.com/question/15169974

https://brainly.com/question/24498019

#SPJ1

2.16 LAB: Port Scan (Modules)
In network security, it is important to understand port scanning. Hackers use tools to scan a network and determine if there are open ports and if they contain some sort of vulnerability. To scan ports, you first have to find active hosts on a network. Once you find active hosts and discover a list of IP addresses for those hosts, a port scan can be performed to gather information about open ports and analyze services running on those ports. A port scan is the process of sending packets to an active host's ports and learning details that can help you gain access to that host or to discover open vulnerabilities on your network.

Some common ports are:
Port 20 - File Transfer Protocol or FTP
Port 22 - Secure Shell protocol or SSH
Port 23 - Telnet protocol for unencrypted transfer
Port 80 - HyperText Transfer Protocol or HTTP
Port 443 - HyperText Transfer Protocol Secure or HTTPS

The Well Known Ports are those from 0 through 1023

We are going to simulate a port scan by filling a list with 100 random port numbers. These values will be used as the keys in a dictionary where the values will be randomly generated integers 0 / 1. The 0 will be a closed port and a 1 will be an open port.

Your first TODO is to create a function called "create_host_IPs( )" that randomly generates a list of 10 IP addresses with 4 random octets values, concatenating the 4 values into a string and appending it to a host list. The function returns the generated host list. The random values can be limited to a range of 10 to 200.

Ex: IPv4 address should look like this:

192.168.34.23
Your next TODO is to create another function called "simulate_scan(h)" that iterates through the host list (received as h ) and then creates a new list called open_ports. The function should use a nested for loop that iterates through the host list, and then iterates through the returned list from a call to "create_random_open_ports()". If the returned list value is 1, then append it to your open_ports list. This simulates a scan of all the IPs in the host list and creates randomly generated open ports. Finally it should print the host IP and a list of open ports as displayed in this example output.

Ex: Your output should contain 10 IP reports. Here is and example of 2 of the 10 reports:

Host IP: 66.78.126.11
Open ports are:
[53, 87, 21, 57, 71, 37, 61, 38, 45, 94, 84, 26, 72, 52, 75, 41, 90, 88, 82, 59, 50, 36, 60, 16, 51, 76, 24, 66, 33, 63, 86, 93, 34, 85]

Host IP: 11.96.129.20
Open ports are:
[15, 77, 19, 72, 78, 37, 93, 42, 26, 30, 79, 16, 47, 48, 43, 50, 82, 60, 46, 10, 62, 96, 12, 99, 76, 51, 32, 24, 61, 87, 73, 65, 85, 67, 29]
417412.2037272.qx3zqy7
LAB ACTIVITY
2.16.1: LAB: Port Scan (Modules)
0 / 10


I REALLY NEED HELP!!!

Answers

This solution is written in Python programming language. See the details below.

What is Python Programming language?

Python is a coding language that is frequently used to applications, automate operations, make websites and execute analyze data.

It is a general-purpose programming language, because, it can be used to develop a wide range of applications and is not specialized for any particular problem.

What is the code required for the instance above?

The code required to deliver the given output is:

import random

def create_random_open_ports():

#Create empty list / dictionary

port = []

ports = {}

#Fill list with 100 random port numbers from 10 - 100

for i in range(1,101):

random_port = random.randint(10, 100)

port.append(random_port)

#Create a new dictionary with ports numbers as keys

new_ports = ports.fromkeys(port, 0)

#Iterate through new dictionary add random 0 / 1

#Closed port = 0, Open port = 1

for key in new_ports:

r1 = random.randint(0,1)

new_ports[key] = r1

return new_ports

# TODO: create a function called create_host_IPs() that randomly generates a list of 10 IP addresses

# concatenating the 4 values into a string and appending it to a host list. The function returns the generated

# host list

def create_host_IPs():

host = []

octet1 = ""

octet2 = ""

octet3 = ""

octet4 = ""

#Add loop with range 1 - 11 to create the 10 host IPs EX: 192.123.11.1

for i in range(1,11):

octet1 = str(random.randint(1,255));#Not taking 0 as first octet cannot be zero

octet2 = str(random.randint(0,255));

octet3 = str(random.randint(0,255));

octet4 = str(random.randint(0,255));

host.append(octet1 + "." + octet2 + "." + octet3 + "." + octet4)

return host

# TODO: create a function called simulate_scan(h) that iterates through the host list (received as h ) and

# then creates a new list called open_ports. The function should use a nested for loop that iterates

# through the host list, and then iterates through the returned list from a call to create_random_open_ports().

# If the returned list value is 1, then append it to your open_ports list.

# This simulates a scan of all the IPs in the host list and creates randomly generated open ports.

# Finally it should print the host IP and a list of open ports as displayed in assignment information.

def simulate_scan(h):

open_ports = []

for i in range(len(h)):

random_ports = create_random_open_ports()

for j in random_ports:

if random_ports[j] == 1:

open_ports.append(j)

print("IP Address :" + h[i] + " Open Ports :" + str(open_ports))

if __name__ == "__main__":

#Simulate port scanning for open ports

active_hosts = create_host_IPs()

simulate_scan(active_hosts)

Learn more bout Python Programming at;
https://brainly.com/question/26497128
#SPJ1

How does so called marshalling solve the problem of different byte ordering of sender and receiver? 8. What is the purpose of a portmapper? How does so called marshalling solve the problem of different byte ordering of sender and receiver ?
8 . What is the purpose of a portmapper ?​

Answers

Marshalling solve the problem of different byte ordering of sender and receiver by:

By the use of Common Object Request Broker Architecture (CORBA):

What is Marshalling?

Marshalling is the act of moving and formatting a group of data structures into an external data depiction type good for transmission in a message.

A port mapper is known to be a kind of protocol that tells or map the number or the kind of version of any type of Open Network Computing Remote Procedure Call (ONC RPC) program to a port that is often used in the work of networking by that version of that given program.

Learn more about portmapper from

https://brainly.com/question/879750

#SPJ1

An Inspect and Adapt (I&A) event is occurring and a program is trying to address a long-existing problem (WIP)?"unreliable Program Increment (PI) commitments. One of the participants suggests that they are working on too many things at one time. What aspect Of the program causes uncontrollable amounts of work in process

Teams do not do a good job of task.switching
Stories are too small
Items in the program Backlog are large chunks Of work at different layers Of the System instead Of true Features
All program teams are cross-functional so every team creates work in multiple areas at the same time

Answers

The aspect Of the program that causes uncontrollable amounts of work in process is that Teams do not do a good job of task switching.

What is task switching?

Task switching or task interleaving is known to often take place if a task is voluntarily or involuntarily stopped so as to listen  to another task.

In the case above, The aspect Of the program that causes uncontrollable amounts of work in process is that Teams do not do a good job of task switching.

Learn more about task switching from

https://brainly.com/question/12977989

#SPJ1

HC - AL-Career Preparedness
8
English
11 12 13
Lee wants to format a paragraph that he just wrote. What are some of the options that Lee can do to his paragrap
Check all that apply.
O aligning zoom
O aligning text
O adding borders
O applying bullets
O applying numbering

Answers

The options that Lee can do to his paragraph are:

aligning textadding bordersapplying bulletsapplying numbering

What is Paragraphing?

This is known to be the act of  sharing or dividing a text into two or more paragraphs.

In paragraphing  one can use:

aligning textadding bordersapplying bulletsapplying numbering

Learn more about paragraphing from

https://brainly.com/question/8921852

#SPJ1

FORMES MEN HORDS EXCLL PRACTICAL QU graph marks, soft the following types of computer system nowadays Re Howeve can classify them into differe​

Answers

The software used on a computer system are classified into the following:

Application softwareUtility softwareSystem software

What is a software?

A software can be defined as a set of executable instructions (codes) that instructs a computer system on how to perform a specific task and proffer solutions to a specific problem.

The classification of software.

In Computer technology, the software used on a computer system are classified into three main categories and these include:

Application softwareUtility softwareSystem software

Read more on software here: https://brainly.com/question/26324021

#SPJ1

Complete Question:

Software are used on different types of computer system nowadays. However, you can classify them into following?

What are types of operators in Python

Answers

Answer:

Python divides the operators in the following groups:

Arithmetic operators.Assignment operators.Comparison operators.Logical operators.Identity operators.Membership operators.Bitwise operators.

Execute and explain this program using // in Layman's language. Thank you!

Answers

The explanation of the program using layman's language is:

It wants to find the highest and lowest contributions madeIt wants to discover how many individual contributions were needed to reach the targetThe total amount of contributions collectedThe program wants to test various input data for contributions and how many contributions are needed to reach the goal.

What is a Program?

This refers to the sequence of instructions in a programming language that executes the instruction given to the computer.

Hence, we can see that different input sizes would be used to test the program as it is in the testing stage to see just how efficient the program is.

Read more about programs here:

https://brainly.com/question/1538272

#SPJ1

Select 3 true statements about Python primitive types.

Answers

The true statements about Python primitive types are:

32.bit integer type (a.k.a. int32) can represent integer value from -2 31 (-2.147,483,648) to 2"31-1 (2,147,483,647) A binary floating point method is used to represent fractions in binary numbers. The decimal number 0.1 cannot be expressed without error in binary floating-point format.

What are thee Python primitive data types?

The Python is known to have four primitive variable types which are:

Integers.Float.Strings.Boolean.

Note that The true statements about Python primitive types are:

32.bit integer type (a.k.a. int32) can represent integer value from -2 31 (-2.147,483,648) to 2"31-1 (2,147,483,647) A binary floating point method is used to represent fractions in binary numbers. The decimal number 0.1 cannot be expressed without error in binary floating-point format.

Learn more about Python from

https://brainly.com/question/26497128

#SPJ1

Data frames can be subset by a chosen value using ==.

Ex: df[df.x == 5] gives all the rows in the data frame df for which the column x has a value of 5.

Write a program that performs the following tasks:

Load the file mtcars.csv into a data frame called df

Create a new data frame df_cyl by subsetting the data frame based on a user defined value for the column cyl.

Print the shape of the new data frame.

Answers

Using python knowledge and writing code importing pandas, it is possible to create a function that corresponds to what you want.

Writting in python:

import pandas as pd

if __name__ == "__main__":

   df=pd.read_csv('mtcars.csv')

   cylinders=int(input())

   print(df[df.cyl==cylinders].shape)

See more about python at brainly.com/question/18502436

#SPJ1

Other Questions
why do children have difficulty dissapating heat and maintaining a normal body temperature during exercise than adults The sum of series of 4+ 15 + 26 + .. + 213 Mr. Robert charges $50 per hour for math tutoring and charges $40 per hour for language arts tutoring. How many hours of math tutoring must be mixed with 5 hours of ELA Tutoring to make $45 per hour? Write an algebraic expression for this statement.A stick [tex]l[/tex] feet long is broken into two parts, one of which is twice as long as the other. How long is the shorter piece?**Please Help, Respond soon....Will mark brainliest for correct answer** You plan to deposit $5,300 at the end of each of the next 20 years into an account paying 10.8 percent interest. a. How much money will you have in the account in 40 years A firm in the market for designer jeans has some degree of monopoly power. The demand curve it faces has a price elasticity of demand of Describe the pressures in the atria and ventricles that would cause the opening of the av valves. Turn 12 = to a decimal hikers who found a human body at high altitude in the italian alps thought the man had died recently but tests indicated he was shot with an arrow more than 5,300 years ago, which of the following would be the best reason for the prolonged preservation of the body? A. the ultraviolet rays at such a high altitude caused all the body molecules to be preserved. B. the food that the person ate contained toxins that killed the bacteria that would have otherwise destroyed the body. C. the arrow wound caused blood to flow out of the body.which led the enzymes that would break down tissue to be cleared from the body. D. the body was frozen in the cold temperature of the Alps shortly after he died and remained frozen until it was found. Which of the following allows the AIDs virus.which contains RNA, to insert into the DNA of a host of T-cells after the AIDs virus enters the cell. A. reverse transcriptase an enzyme encoded by the body. B. receptor proteins located on the surface of the virus c. the phospholipids found on the envelope of the virus. D. the protein that makes up the capsid of the virus. Which of the following microorganisms lack their own metabolic pathways and can only reproduce inside of a host cell? A. bacteria. B. Helminths c. protozoa. C. viruses Which of the following chemicals is released by one type of immune cell to directly activate another type of immune cell. A. lysosomes. B. cytokines. C. perforin . D. granzymes Could someone pls explain about Pedophilic Disorder? I have a presentation about this topic.need helpssss TwT Check all that are Solutions are there inequality Immediately following world war 1, the economy in the United States A pupil scored 17/50 on a test. What percentage is this? Which of these events was not a cause of the southern colonies' shift from servitude to slavery? Find the total cost of 2.5kg of chicken at $6.10 per kg and 0.5 kg of cheese at $10.60 per kg? Kitty has invested 5500 for 3 years in a savings account. She is paid 6% per annum compound interest. How much did she have in her savings account at the end of the 3 years? Salts and sugars work to preserve foods by creating a Group of answer choices lower pH. hypertonic environment. lower osmotic pressure. hypotonic environment. depletion of nutrients The city of Brandberry has planned to reduce the arsenic in its water by 1 part per billion each year over the next 7 years. What do you expect will happen Which word correctly completesthis sentence?The second hotel room had_____storage than the firstone.A. moreB. the mostC. morer Think about your own culture and how that has affected your development. Discuss this topic