Merge pull request #64 from TiagoRG/dev-tiagorg

Fundamentos de Programação:
- [FP] Code reformat
- Revert "[FP] Code reformat"
- [FP] Code reformat
- [FP] Quick simplifications

Laboratório de Sistemas Digitais:
- [LSD] Main README update

Laboratórios de Informática:
- [LABI] tema05 part1 added
- [LABI] guides for tema06 added
This commit is contained in:
Tiago Garcia 2023-05-19 16:17:26 +01:00 committed by GitHub
commit af30f2136d
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
99 changed files with 531 additions and 377 deletions

View File

@ -9,4 +9,3 @@ surname = input("Apelido? ")
course = input("Curso? ")
print("Olá {} {}!\nBem vindo ao curso de {}!".format(name, surname, course))

View File

@ -4,5 +4,4 @@ mins = secs // 60
m = mins % 60
h = mins // 60
print("{:02d}:{:02d}:{:02d}".format(h, m, s))

View File

@ -1,6 +1,5 @@
from math import *
A = float(input('Comprimento do cateto A: '))
B = float(input('Comprimento do cateto B: '))
@ -10,4 +9,5 @@ cosseno = A / C
angRad = acos(cosseno)
angDeg = angRad * 180 / pi
print(f'O comprimento da hipotenusa é {round(C, 2)} e o valor do angulo entre o cateto A e a hipotenusa é {round(angDeg, 2)}°')
print(
f'O comprimento da hipotenusa é {round(C, 2)} e o valor do angulo entre o cateto A e a hipotenusa é {round(angDeg, 2)}°')

View File

@ -1,6 +1,5 @@
from math import sqrt
x1, y1 = input("Introduza x1 e y1, separados por uma virgula ',': ").split(',')
x2, y2 = input("Introduza x2 e y2, separados por uma virgula ',': ").split(',')

View File

@ -1,4 +1,3 @@
# A teenager is a person between 13 and 19 years old, inclusive.
# A child is under 13. A grown-up is 20 or more.
# This program outputs the age category for a given input age.
@ -17,7 +16,7 @@ print("Age:", age)
if age < 13:
cat = "child"
elif 13 < age < 20:
elif age < 20:
cat = "teenager"
else:
cat = "grown-up"

View File

@ -2,7 +2,8 @@ import math
POINTS = (6, 13, 4, 18, 1, 20, 5, 12, 9, 14, 11, 8, 16, 7, 19, 3, 17, 2, 15, 10)
print("Introduza as coordenadas (x, y) do dardo.\nRepresenta as posicoes horizontal e vertical respetivamente.\nAmbas em milimetros.")
print(
"Introduza as coordenadas (x, y) do dardo.\nRepresenta as posicoes horizontal e vertical respetivamente.\nAmbas em milimetros.")
x = int(input('X: '))
y = int(input('Y: '))
@ -19,7 +20,6 @@ elif mod < 32:
print('Pontuacao: 25 pontos.')
exit(1)
angleRad = math.atan2(y, x)
angleDeg = math.degrees(angleRad) - 9
score = POINTS[int(angleDeg / 20)]

View File

@ -1,7 +1,6 @@
CTP = float(input('Componente Teorica-pratica: '))
CP = float(input('Componente Pratica: '))
NF = round(0.3 * CTP + 0.7 * CP)
if (CTP < 6.6) or (CP < 6.6):

View File

@ -1,6 +1,7 @@
def isLeapYear(year):
return year % 400 == 0 if year % 100 == 0 else year % 4 == 0
def monthDays(year, month):
assert month > 0
@ -9,6 +10,7 @@ def monthDays(year, month):
return days + 1 if (isLeapYear(year) and month == 2) else days
def nextDay(year, month, day):
# Verifica se é o último dia do ano
if (month, day) == (12, 31):
@ -52,6 +54,7 @@ def main():
y, m, d = nextDay(2017, 12, 31)
print(y, m, d) # 2018 1 1 ?
# call the main function
if __name__ == "__main__":
main()

View File

@ -4,9 +4,11 @@ def max2(x, y):
else:
return y
def max3(x, y, z):
return max2(x, max2(y, z))
def main():
n1 = float(input('Introduza dois valores.\nN1: '))
n2 = float(input('N2: '))

View File

@ -5,5 +5,6 @@ def tax(r):
return 0.2 * r - 100
return 0.3 * r - 300
x = float(input('R? '))
print('O valor de tax(r) é: {:.3f}'.format(tax(x)))

View File

@ -1,15 +1,18 @@
def intersects(a1, b1, a2, b2):
assert a1 < b1
assert a2 < b2
assert a1 <= b1 and a2 <= b2, "Os intervalos não são válidos."
return a1 <= b2 and a2 <= b1
if a1 < b2 and a2 < b1:
return True
else:
return False
def main():
a1 = float(input("a1: "))
b1 = float(input("b1: "))
a2 = float(input("a2: "))
b2 = float(input("b2: "))
try:
print(intersects(a1, b1, a2, b2))
except AssertionError as e:
print(e)
main()

View File

@ -11,5 +11,6 @@ def countdown(n):
yield n
n -= 1
if __name__ == "__main__":
main()

View File

@ -7,11 +7,13 @@ def mdc(a, b):
else:
return mdc(b, r)
def main():
print('Este programa calcula o máximo divisor comum de dois námeros naturais')
n1 = int(input('Numero 1: '))
n2 = int(input('Numero 2: '))
print(f'\nO Máximo Divisor Comum de {n1} e {n2} é: {mdc(n1, n2)}')
if __name__ == "__main__":
main()

View File

@ -20,6 +20,7 @@ Este é um número {category(n, div_list_array)}.
""")
# Obtém uma lista com todos os dividores de um número
def divList(n):
divs = []
@ -28,6 +29,7 @@ def divList(n):
divs.append(str(x))
return divs
# Obtém a categoria de um número
def category(n, divs):
total = 0
@ -37,5 +39,6 @@ def category(n, divs):
if total == n: return 'perfeito'
if total > n: return 'abundante'
if __name__ == "__main__":
main()

View File

@ -4,9 +4,11 @@ def factorial(n):
total *= x
return total
def main():
n = int(input('Introduza um número: '))
print('O fatorial de {} é: {}'.format(n, factorial(n)))
if __name__ == "__main__":
main()

View File

@ -3,9 +3,11 @@ def fibonacci(n):
if n == 1: return 1
return fibonacci(n - 1) + fibonacci(n - 2)
def main():
n = int(input('Introduza um número: '))
print(f'O {n}º número de Fibonacci é: {fibonacci(n)}')
if __name__ == "__main__":
main()

View File

@ -2,6 +2,7 @@
import random
def main():
# Pick a random number between 1 and 100, inclusive
secret = random.randrange(1, 101)
@ -19,7 +20,9 @@ def main():
c += 1
trieslist.append(str(num))
triesstr = ', '.join(trieslist)
print(f'Well done! The secret number was {secret}. It took you {c} tries to get it right.\nList of tries: {triesstr}')
print(
f'Well done! The secret number was {secret}. It took you {c} tries to get it right.\nList of tries: {triesstr}')
if __name__ == "__main__":
main()

View File

@ -10,14 +10,17 @@ def GetValues():
count += 1
return values
# Calcula a média dos valores da lista 'values'
def GetMedia(val):
return sum(val) / len(val)
# Função principal
def main():
values = GetValues()
print('Média dos valores introduzidos: ', GetMedia(values))
if __name__ == "__main__":
main()

View File

@ -4,6 +4,7 @@
def isLeapYear(year):
return year % 4 == 0 and year % 100 != 0 or year % 400 == 0
def printLeapYears(year1, year2):
"""Print all leap years in range [year1, year2[."""
for year in listLeapYears(year1, year2):

View File

@ -10,10 +10,12 @@ def inputTotal():
if n == '': return tot
tot += float(n)
# MAIN PROGRAM
def main():
tot = inputTotal()
print(tot)
if __name__ == "__main__":
main()

View File

@ -15,9 +15,11 @@ def main():
table(i)
print()
def table(n):
for i in range(1, 11):
print(f'{n} x {i} = {n * i}')
if __name__ == "__main__":
main()

View File

@ -6,12 +6,14 @@
import turtle # allows us to use the turtles library
# Make turtle t draw a square with the given side length
def square(t, side):
for n in range(4):
t.forward(side)
t.left(90)
# Make turtle t draw a spiral.
# The first side should have length = start, the second start+incr, etc.,
# until the length reaches length=end (exclusive).

View File

@ -4,11 +4,8 @@ def main():
def shorten(string):
abv = ''
for char in string:
if char.isupper():
abv += char
return abv
return ''.join([char for char in string if char.isupper()])
if __name__ == "__main__":
main()

View File

@ -19,6 +19,7 @@ def nameToTels(partName, telList, nameList):
tels.append(telList[index])
return tels
def main():
# Lists of telephone numbers and names
telList = ['975318642', '234000111', '777888333', '911911911']

View File

@ -15,7 +15,6 @@ print(len(train))
# Qual o total de passageiros?
print(sum(train))
# Os dias da semana:
week = ['sab', 'dom', 'seg', 'ter', 'qua', 'qui', 'sex']

View File

@ -15,6 +15,7 @@ def passengers(train, n):
num2 = sum(class2)
return [num1, num2]
def test():
train1 = [12, 32, 10, 21]
train2 = [9, 29, 19]
@ -26,6 +27,7 @@ def test():
print(passengers(train2, 1))
print(passengers(train3, 0))
# Run tests:
test()

View File

@ -7,6 +7,7 @@ def transfer1car(t1, t2):
t2.append(t1[-1])
t1.remove(t1[-1])
def test():
train1 = [12, 32, 10, 21]
train2 = [9, 29, 19]
@ -21,6 +22,7 @@ def test():
transfer1car(train3, train1)
print(train1, train2, train3)
# Run tests:
test()

View File

@ -18,6 +18,7 @@ def match(t1, t2, g1, g2):
t1[2] += 1
t2[2] += 1
def test():
team1 = ["Ajax", 0, 0, 0]
team2 = ["Benfica", 0, 0, 0]
@ -31,6 +32,7 @@ def test():
match(team3, team1, 0, 3)
print(team1, team2, team3)
# Run tests:
test()

View File

@ -9,6 +9,7 @@ def inputDate():
d = int(input("Dia? "))
return (y, m, d)
# Complete a definição de forma que inputPerson(msg)
# peça o nome de uma pessoa e a sua data de nascimento
# e devolva esses dados num tuplo com a forma (nome, (ano, mẽs, dia)).
@ -18,6 +19,7 @@ def inputPerson(msg):
birth = inputDate()
return (name, birth)
def test():
print("Natal de 2020")
natal = inputDate()
@ -31,6 +33,7 @@ def test():
older = p1[1] < p2[1]
print("p1 é mais velha que p2:", older)
# Run tests:
test()

View File

@ -4,6 +4,7 @@
MESESPT = ("janeiro", "fevereiro", "março", "abril", "maio", "junho",
"julho", "agosto", "setembro", "outubro", "novembro", "dezembro")
# Complete a função para que, dado um tuplo (ano, mes, dia)
# devolva um data por extenso.
# Por exemplo, datePT((1938, 1, 22)) deve devolver "22 de janeiro de 1938".
@ -12,6 +13,7 @@ def datePT(date):
s = f"{str(dia)} de {MESESPT[mes - 1]} de {ano}"
return s
# Complete a definição para converter uma data no formato "DD/MM/AAAA"
# num tuplo de inteiros com (ano, mês, dia).
# Por exemplo: parseDMY("25/12/2020") deve devolver (2020, 12, 25).

View File

@ -32,5 +32,6 @@ def main():
return
if __name__ == "__main__":
main()

View File

@ -44,5 +44,3 @@ def main():
# Call main function
if __name__ == "__main__":
main()

View File

@ -1,6 +1,7 @@
from extras.allMatches import * # importa a função allMatches criada na aula05
import math
from extras.allMatches import * # importa a função allMatches criada na aula05
def main():
equipas = getTeams() # pede as equipas ao utilizador
@ -58,14 +59,14 @@ def getTable(teams, results):
def updateStats(table, team, gm, gs):
table[team][5] += (points := 1 if gm == gs else (3 if gm > gs else 0)) # calcula os pontos a atribuir à equipa e adiciona à tabela
table[team][5] += (
points := 1 if gm == gs else (3 if gm > gs else 0)) # calcula os pontos a atribuir à equipa e adiciona à tabela
table[team][math.trunc(2 - points / 2)] += 1 # determina o index ao qual atribui o jogo (V/E/D)
table[team][3] += gm # adiciona os golos marcados
table[team][4] += gs # adiciona os golos marcados
def printTable(table):
print(f"\n{'Equipa':<15}\tV\tE\tD\tGM\tGS\tPts")
for team in table:

View File

@ -37,7 +37,6 @@ def transfer(bag1, amount, bag2):
def transferProcess(bag1, amount, bag2, coins):
bagBackup = (bag1.copy(), bag2.copy())
amountBackup = amount
@ -113,4 +112,3 @@ def main():
if __name__ == "__main__":
main()

View File

@ -1,4 +1,3 @@
# Devolve o IMC para uma pessoa com peso w e altura h.
def imc(w, h):
return w / h ** 2

View File

@ -1,4 +1,3 @@
def main():
A = "reading"
B = "eating"

View File

@ -1,6 +1,5 @@
import bisect
with open("wordlist.txt", "r") as f:
word_list: list[str] = f.read().split()

View File

@ -1,4 +1,3 @@
# This function sorts a list (like list.sort)
# using the insertion sort algorithm.
# Modify it to accept a key= keyword argument that works like in list.sort.
@ -48,4 +47,3 @@ def main():
if __name__ == "__main__":
main()

View File

@ -1,5 +1,4 @@
import sys
import math
def integrate(f, a, b, n):

View File

@ -34,6 +34,6 @@ def main():
s = polynomial([1, -1, 0, 100]) # creates s(x)=x³-x²+100
print([s(x) for x in xx]) # [100, 100, 104, 118]
if __name__ == "__main__":
main()

View File

@ -1,4 +1,3 @@
# Tabela classificativa da Primeira Liga de futebol de Portugal em 2018-11-30.
# (Descarregada de https://www.resultados.com/futebol/portugal/primeira-liga/)
@ -43,7 +42,6 @@ def printTabela(tabela):
# dado um registo de uma equipa, devolve o número de jogos que a equipa jogou.
numJogos = lambda reg: reg[V] + reg[E] + reg[D]
# a)
# Complete a expressão lambda para definir uma função que,
# dado um registo de uma equipa, devolva o número de pontos da equipa.
@ -57,7 +55,6 @@ def main():
print(tabela[-1][N], pontos(tabela[-1])) # Chaves 7?
# Mostra a tabela classificativa original, não ordenada:
printTabela(tabela)

View File

@ -46,4 +46,3 @@ def main():
if __name__ == "__main__":
main()

View File

@ -1,4 +1,3 @@
# Generates all length-3 words with symbols taken from the given alphabet.
def genWords3(symbols):
return [x + y + z for x in symbols for y in symbols for z in symbols]
@ -26,6 +25,6 @@ def main():
lstC = genWords("01", 4) # should return all length-4 binary words
print(lstC)
if __name__ == "__main__":
main()

View File

@ -12,6 +12,7 @@ endX("xxhixx") → "hixxxx"
endX("hixhix") "hihixx"
"""
def endX(s):
if s == '':
return ''

View File

@ -1,4 +1,3 @@
# Calcula o factorial de n, baseado na recorrencia n! = n*(n-1)!.
# Mas não termina! Detete a causa e corrija o erro.
def fact(n):

View File

@ -1,4 +1,5 @@
import sys
from ezgraphics import GraphicsWindow

View File

@ -28,6 +28,7 @@ def traced(func):
return tracedfunc
# Initial tracing prefix:
traced.indent = ""
@ -38,13 +39,13 @@ traced.indent = ""
if __name__ == "__main__":
# How to use this module:
from traced import traced
@traced
def func(x):
return x * x
func(3)
func(3)

View File

@ -27,4 +27,3 @@ def score(guess, secret):
cows_index.append(i)
return len(bulls_index), len(cows_index)

View File

@ -10,7 +10,8 @@ def loadDataBase(fname, produtos):
with open(fname, 'r') as f: # Abre o ficheiro em modo de leitura
productsFileContent = f.read() # Cria uma string com o conteudo do ficheiro
for product in productsFileContent.split('\n')[1:]: # Divide a string 'productsFileContent' numa lista com cada produto
for product in productsFileContent.split('\n')[
1:]: # Divide a string 'productsFileContent' numa lista com cada produto
productComponents = product.split(';') # Divide as componentes do produto (código, nome, secção, preço, iva)
if len(productComponents) != 5:
@ -29,7 +30,8 @@ def registaCompra(produtos):
mostra nome, quantidade e preço final de cada um,
e devolve dicionário com {codigo: quantidade, ...}
"""
compra = {"totals": [0, 0, 0]} # Inicia o dicionário da compra com os totais da mesma: [total bruto, total iva, total liquido]
compra = {"totals": [0, 0,
0]} # Inicia o dicionário da compra com os totais da mesma: [total bruto, total iva, total liquido]
userInput = input('Code? ')
while userInput != "":
try:
@ -64,7 +66,8 @@ def fatura(produtos, compra):
"""Imprime a fatura de uma dada compra."""
# Obtém a lista de secções presentes na compra (por ordem alfabética)
sections = sorted(list({section for section in [product[1] for code, product in produtos.items() if code in compra]}))
sections = sorted(
list({section for section in [product[1] for code, product in produtos.items() if code in compra]}))
# Itera as secções para apresentar os produtos ordenados por secção
for section in sections:
@ -75,7 +78,8 @@ def fatura(produtos, compra):
# Itera os códigos para apresentar as informações de cada produto
for code in sectionProductsCodes:
print(f"{compra[code]:>4} {produtos[code][0]:<31}({int(produtos[code][3]*100):>2}%){round(compra[code]*produtos[code][2]*(1+produtos[code][3]), 2):>11}")
print(
f"{compra[code]:>4} {produtos[code][0]:<31}({int(produtos[code][3] * 100):>2}%){round(compra[code] * produtos[code][2] * (1 + produtos[code][3]), 2):>11}")
# Apresenta os totais da compra
print(f"""{'Total Bruto:':>41}{round(compra["totals"][0], 2):>11}
@ -120,5 +124,6 @@ def main(args):
# Não altere este código / Do not change this code
import sys
if __name__ == "__main__":
main(sys.argv[1:])

View File

@ -98,7 +98,9 @@ def fatura(calls: dict, phone_number: str) -> None:
def validate_phone_number(phone_number: str) -> bool:
return phone_number.isdigit() and len(phone_number) >= 3 if phone_number[0] != "+" else phone_number[1:].isdigit() and len(phone_number[1:]) >= 3
return phone_number.isdigit() and len(phone_number) >= 3 if phone_number[0] != "+" else phone_number[
1:].isdigit() and len(
phone_number[1:]) >= 3
if __name__ == '__main__':

View File

@ -74,7 +74,8 @@ def print_results(journeys: dict, journey: int, budget: int) -> None:
price = 1000
else:
price = 5000
print(f"TEM {right_bets_count} CERTAS. {'SEM PRÉMIO' if right_bets_count < 7 else ('3º PRÉMIO' if right_bets_count < 8 else ('2º PRÉMIO' if right_bets_count < 9 else '1º PRÉMIO'))}")
print(
f"TEM {right_bets_count} CERTAS. {'SEM PRÉMIO' if right_bets_count < 7 else ('3º PRÉMIO' if right_bets_count < 8 else ('2º PRÉMIO' if right_bets_count < 9 else '1º PRÉMIO'))}")
budget += price
get_user_input(journeys, budget)

View File

@ -23,7 +23,6 @@ print(twits[0]["text"])
# Algumas mensagens contêm hashtags:
print(twits[880]["text"])
# A)
word_count: dict[str, int] = {}
@ -38,19 +37,16 @@ word_list = list(word_count.keys())
print("A)\n" + str(word_list), end="\n\n")
# B)
ordered_list = sorted(word_list, key=lambda t: word_count[t], reverse=True)
print("B)\n" + str(ordered_list), end="\n\n")
# C)
ordered_hashtag_list = [word for word in ordered_list if word.startswith('#')]
print("C)\n" + str(ordered_hashtag_list), end="\n\n")
# D)
print("D)\n")
most_used = word_count[ordered_hashtag_list[0]]

View File

@ -1,4 +1,3 @@
# On a chessboard, positions are marked with letters between a and h for the column and a
# number between 1 and 8 for the row. The first place on the board, a1, is black. The next
# is white, alternating across a row. Odd rows start with black, even rows start with white.

View File

@ -1,4 +1,3 @@
# Given a string s and a string t, return a string in which all the characters
# of s that occur in t have been replaced by a _ sign. The comparisons are
# case sensitive.

View File

@ -1,4 +1,3 @@
# Given a string s, return the longest prefix that is repeated somewhere else in the string.
# For example, "abcdabejf" would return "ab" as "ab" starts at the beginning of the string
# and is repeated again later. Do not use the find method.

View File

@ -1,3 +1,4 @@
def printStocks(stocks):
for stock in stocks:
print(f"{stock[0]:<10}{stock[1]:<19}{stock[2]:>6.2f}{stock[3]:>10.2f}{stock[4]:>10}{(stock[3]/stock[2]-1)*100:>7.1f}%")
print(
f"{stock[0]:<10}{stock[1]:<19}{stock[2]:>6.2f}{stock[3]:>10.2f}{stock[4]:>10}{(stock[3] / stock[2] - 1) * 100:>7.1f}%")

View File

@ -3,5 +3,6 @@ def load(fname):
with open(fname, 'r') as f:
for stock in f:
components = stock[:-1].split('\t')
stocks_list.append((components[0], components[1], float(components[2]), float(components[3]), int(components[4])))
stocks_list.append(
(components[0], components[1], float(components[2]), float(components[3]), int(components[4])))
return stocks_list

View File

@ -14,6 +14,7 @@ Se não, deve devolver a quantidade que não conseguiu descarregar.
"""
# Se w=['coal', 45], então w[0]='coal' e w[1]=45.
def unload(t, m, q):

View File

@ -4,7 +4,7 @@ Por exemplo, onlyCaps("John Fitzgerald Kennedy") deve devolver "JFK".
A solução tem de ser recursiva e não pode usar ciclos.
"""
def onlyCaps(s):
# NOTE: ch.isupper() -> True if ch is uppercase.
return "" if len(s) == 0 else (s[0] + onlyCaps(s[1:]) if s[0].isupper() else onlyCaps(s[1:]))

View File

@ -0,0 +1,10 @@
import cherrypy
class Actions(object):
@cherrypy.expose
def do_login(self, username=None, password=None):
if username is None or password is None:
return "Preencha os campos!"
else:
return "Bem-vindo, %s!" % username

View File

@ -0,0 +1,54 @@
import os
import cherrypy
import Actions
PATH = os.path.abspath(os.path.dirname(__file__))
class HTMLDocument(object):
@cherrypy.expose
def index(self):
with open("example1.html", "r") as f:
return f.read()
class Node(object):
@cherrypy.expose
def index(self):
return "Eu sou o índice do Node (Node.index)"
@cherrypy.expose
def page(self):
return "Eu sou um método do Node (Node.page)"
class Root(object):
def __init__(self):
self.node = Node()
self.html = HTMLDocument()
self.actions = Actions.Actions()
@cherrypy.expose
def index(self):
return "Eu sou o índice do Root (Root.index)"
@cherrypy.expose
def page(self):
return "Eu sou um método do Root (Root.page)"
@cherrypy.expose
def form(self):
cherrypy.response.headers["Content-Type"] = "text/html"
return open("form1.html")
if __name__ == "__main__":
conf = {
"/": {
"tools.staticdir.on": True,
"tools.staticdir.dir": PATH,
}
}
cherrypy.quickstart(Root(), "/", config=conf)

View File

@ -0,0 +1,12 @@
import json
import requests
address = "Universidade de Aveiro, 3810-193 Aveiro, Portugal"
servurl = "https://nominatim.openstreetmap.org/search.php?format=json&q=%s" % address
r = requests.get(servurl)
print(json.dumps(r.json(), indent=4, sort_keys=True))
print("Latitude:", r.json()[0]["lat"], "\nLongitude:", r.json()[0]["lon"])

View File

@ -0,0 +1,10 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Exemplo HTML 1</title>
</head>
<body>
<h1>Exemplo HTML 1</h1>
</body>
</html>

View File

@ -0,0 +1,10 @@
import cherrypy
class HelloWorld(object):
@cherrypy.expose
def index(self):
return "You have successfully reached " + cherrypy.request.headers["Host"]
cherrypy.quickstart(HelloWorld())

View File

@ -0,0 +1,17 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Form 1</title>
</head>
<body>
<form action="actions/do_login" method="post">
<p>Username</p>
<input type="text" name="username" value="" size="15" maxlength="40"/>
<p>Password</p>
<input type="password" name="password" value="" size="10" maxlength="40"/>
<p><input type="submit" value="Login"/></p>
<p><input type="reset" value="Clear"/></p>
</form>
</body>
</html>

View File

@ -0,0 +1,5 @@
import requests
f = requests.get("https://www.ua.pt")
print(f.text)

View File

@ -0,0 +1,7 @@
import requests
url = "http://127.0.0.1:8080/form"
data = {"username": "admin", "password": "admin"}
f = requests.post(url, data=data)
print(f.status_code)

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -1,4 +1,4 @@
# Laboratórios de Sistemas Digitais
# Laboratório de Sistemas Digitais
### Projetos, exercícios e material organizados por aulas
---
@ -12,6 +12,8 @@
| [05](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica05) | Parametrização de componentes |
| [06](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica06) | Modelação em VHDL e implementação de registos e módulos combinatórios de deslocamento |
| [07](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica07) | Construção e utilização de testbenches em VHDL<br>Simulação comportamental e temporal<br>Depuração de circuitos em FPGA |
| [08](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica08) | Modelação, simulação e síntese de Máquinas de Estados Finitos<br>Aspetos gerais e modelo de Moore |
| [09](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica09) | Modelação, simulação e síntese de Máquinas de Estados Finitos - Modelo de Mealy<br>MEFs comunicantes |
| [10](https://github.com/TiagoRG/uaveiro-leci/tree/master/1ano/2semestre/lsd/pratica10) | Modelação em VHDL de Memórias ROM e RAM de um Porto e Multi-porto |
---
*Pode conter erros, caso encontre algum, crie um* [*ticket*](https://github.com/TiagoRG/uaveiro-leci/issues/new)