-
Notifications
You must be signed in to change notification settings - Fork 3k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Merge pull request #6209 from josepmonclus/reto43
Reto #43 - Python
- Loading branch information
Showing
1 changed file
with
64 additions
and
0 deletions.
There are no files selected for viewing
64 changes: 64 additions & 0 deletions
64
Retos/Reto #43 - SIMULADOR DE CLIMA [Fácil]/python/josepmonclus.py
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,64 @@ | ||
''' | ||
Crea una función que simule las condiciones climáticas (temperatura y probabilidad de lluvia) | ||
de un lugar ficticio al pasar un número concreto de días según estas reglas: | ||
- La temperatura inicial y el % de probabilidad de lluvia lo define el usuario. | ||
- Cada día que pasa: | ||
- 10% de posibilidades de que la temperatura aumente o disminuya 2 grados. | ||
- Si la temperatura supera los 25 grados, la probabilidad de lluvia al día | ||
siguiente aumenta en un 20%. | ||
- Si la temperatura baja de 5 grados, la probabilidad de lluvia al día | ||
siguiente disminuye en un 20%. | ||
- Si llueve (100%), la temperatura del día siguiente disminuye en 1 grado. | ||
- La función recibe el número de días de la predicción y muestra la temperatura | ||
y si llueve durante todos esos días. | ||
- También mostrará la temperatura máxima y mínima de ese periodo y cuántos días va a llover. | ||
''' | ||
import random | ||
|
||
def predict_weather(initial_temperature: int, initial_rain: int, days: int): | ||
rain_days = 0 | ||
max_temperature = initial_temperature | ||
min_temperature = initial_temperature | ||
|
||
temperature = initial_temperature | ||
rain = initial_rain | ||
|
||
for day in range(1, days + 1): | ||
|
||
print(f"Día {day}: {temperature}º y {rain}% de lluvia") | ||
|
||
if random.randint(0, 1) == 0: | ||
temperature += 2 | ||
else: | ||
temperature -= 2 | ||
|
||
if temperature > 25: | ||
rain += 20 | ||
if rain > 100: | ||
rain = 100 | ||
|
||
if temperature < 5: | ||
rain -= 20 | ||
if rain < 0: | ||
rain = 0 | ||
|
||
if rain == 100: | ||
temperature -= 1 | ||
|
||
if random.randint(1, 100) <= rain: | ||
rain_days += 1 | ||
print("Está lloviendo!") | ||
|
||
if temperature > max_temperature: | ||
max_temperature = temperature | ||
if temperature < min_temperature: | ||
min_temperature = temperature | ||
|
||
print("") | ||
print(f"Temperatura máxima del periodo: {max_temperature}º") | ||
print(f"Temperatura mínima del periodo: {min_temperature}º") | ||
print(f"Días lluviosos del periodo: {rain_days}") | ||
|
||
|
||
|
||
predict_weather(25, 0, 50) |