Diferencia entre revisiones de «Curso Python DGA 2011/inmersion python/contenidos»
(→Diccionarios) |
|||
Línea 33: | Línea 33: | ||
== Mi primer programa == | == Mi primer programa == | ||
+ | === Ejecutables linux === | ||
+ | <source lang="python"> | ||
+ | #!/usr/bin/env python | ||
+ | </source> | ||
+ | |||
+ | <source lang="bash"> | ||
+ | $ chmod +x hello.py | ||
+ | $ ./hello.py | ||
+ | </source> | ||
=== Herramientas para programar === | === Herramientas para programar === | ||
Línea 78: | Línea 87: | ||
=== Sobre el estilo === | === Sobre el estilo === | ||
http://docs.python.org.ar/tutorial/controlflow.html#intermezzo-estilo-de-codificacion | http://docs.python.org.ar/tutorial/controlflow.html#intermezzo-estilo-de-codificacion | ||
+ | * minúsculas | ||
+ | * guiones bajo_entre_palabras | ||
+ | * no pueden comenzar con números | ||
+ | * ni se pueden usar palabras reservadas (file, assert, class, def | ||
+ | |||
+ | {{Tip| Mirad PEP8}} | ||
+ | |||
+ | == Introspección == | ||
+ | * dir(<objeto>) | ||
+ | * help(<objeto>.<metodo>) | ||
+ | |||
== Operaciones con números == | == Operaciones con números == | ||
Línea 91: | Línea 111: | ||
>>> 10 ** 10 | >>> 10 ** 10 | ||
10000000000L | 10000000000L | ||
+ | </source> | ||
+ | |||
+ | === Casting === | ||
+ | <source lang="python"> | ||
+ | >>> num = '2.3' | ||
+ | >>> float(num) | ||
+ | 2.3 | ||
+ | >>> int('2') | ||
+ | 2 | ||
+ | >>> long('2') | ||
+ | 2L | ||
</source> | </source> | ||
Línea 108: | Línea 139: | ||
TypeError: 'str' object does not support item assignment | TypeError: 'str' object does not support item assignment | ||
</source> | </source> | ||
+ | |||
+ | === Formato de cadenas === | ||
+ | <source lang="python"> | ||
+ | # viejo estilo | ||
+ | >>> "%s %s" %('hello', 'world') | ||
+ | 'hello world' | ||
+ | |||
+ | # Nuevo estilo. PEP 3101 | ||
+ | >>> "{0} {1}".format('hello', 'world') | ||
+ | 'hello world' | ||
+ | </source> | ||
+ | |||
== Lectura interactiva == | == Lectura interactiva == | ||
<source lang="python" enclose="div" line="GESHI_FANCY_LINE_NUMBERS" highlight="3"> | <source lang="python" enclose="div" line="GESHI_FANCY_LINE_NUMBERS" highlight="3"> | ||
Línea 131: | Línea 174: | ||
M e l l a m o L u i s | M e l l a m o L u i s | ||
+ | </source> | ||
+ | |||
+ | {{Tip|Evitad estilo '''java'''}} | ||
+ | <source lang="python"> | ||
+ | animals = ["cat", "dog", "bird"] | ||
+ | for index in range(len(animals)): | ||
+ | print index, animals[index] | ||
+ | </source> | ||
+ | Mejor: | ||
+ | <source lang="python"> | ||
+ | for animal in animals: | ||
+ | print animal | ||
+ | # o si hace falta enumerar | ||
+ | for n, animal in enumerate(animals): | ||
+ | print n, animal | ||
</source> | </source> | ||
Línea 200: | Línea 258: | ||
>>> letras.items() | >>> letras.items() | ||
</source> | </source> | ||
+ | |||
+ | == Ficheros == | ||
+ | <source lang="python"> | ||
+ | |||
+ | # viejo estilo | ||
+ | fin = open("foo.txt") | ||
+ | for linea in fin: | ||
+ | # manipular linea | ||
+ | fin.close() | ||
+ | |||
+ | # mejor | ||
+ | with open('foo.txt') as fin: | ||
+ | for linea in fin: | ||
+ | # manipular linea | ||
+ | </source> | ||
+ | |||
+ | == Excepciones== | ||
+ | <source lang="python"> | ||
+ | try: | ||
+ | f = open("file.txt") | ||
+ | except IOError, e: | ||
+ | # tratar excepción | ||
+ | </source> | ||
+ | Más complejo: | ||
+ | <source lang="python"> | ||
+ | try: | ||
+ | # código con riesgo | ||
+ | except Exception, e: | ||
+ | # captura excepción | ||
+ | else: | ||
+ | # si no ha saltado ninguna excepción | ||
+ | finally: | ||
+ | # ejecuta al final | ||
+ | </source> | ||
+ | |||
+ | == Importar módulos == | ||
+ | <source lang="python"> | ||
+ | import math | ||
+ | from math import sin | ||
+ | import longname as ln | ||
+ | |||
+ | math.sqrt(9) | ||
+ | sin(30) | ||
+ | ln(2) | ||
+ | </source> | ||
+ | |||
+ | * PYTHONPATH | ||
+ | * virtualenv | ||
+ | * Instalar paquetes |
Revisión de 01:18 9 ago 2011
Contenido
- 1 ¿Python?
- 2 ¿Por qué es distinto?
- 3 Ampliación
- 4 Echa un vistazo
- 5 Actividad
- 6 Recursos de la Web
¿Python?
|
Charla Python@Google: http://www.google.com/events/io/2011/sessions/python-google.html |
Instalación
Guía de instalación y uso: http://docs.python.org/using/index.html (en inglés) |
Mi primer programa
Ejecutables linux
#!/usr/bin/env python
$ chmod +x hello.py $ ./hello.py
Herramientas para programar
Listado completo de recursos disponibles: http://wiki.python.org/moin/IntegratedDevelopmentEnvironments |
Nosotros vamos a ir utilizando diferentes entornos de desarrollo a lo largo del curso.
El intérprete
Hola, mundo
>>> impuesto = 12.5 / 100
>>> precio = 100.50
>>> precio * impuesto
12.5625
>>> precio + _
113.0625
>>> round(_, 2)
113.06
Un programa que hace algo
- # No declaramos variables, ponemos nombres a objetos
- coches = 100
- capacidad_coche = 4.0
- conductores = 30
- pasajeros = 90
- coches_no_conducidos = coches - conductores
- coches_conducidos = conductores
- capacidad_real = coches_conducidos * capacidad_coche
- media_pasajeros_coche = pasajeros / coches_conducidos
- print "Hay", coches, "coches disponibles."
- print "Tenemos sólo ", conductores, "conductores disponibles."
- print "Habrá", coches_no_conducidos, "coches vacíos hoy."
- print "Podemos transportar", capacidad_real, "personas hoy."
- print "Tenemos", pasajeros, "pasajeros para transportar."
- print "Tenemos que poner una media de", media_pasajeros_coche, "por coche hoy."
Sobre el estilo
http://docs.python.org.ar/tutorial/controlflow.html#intermezzo-estilo-de-codificacion
- minúsculas
- guiones bajo_entre_palabras
- no pueden comenzar con números
- ni se pueden usar palabras reservadas (file, assert, class, def
Introspección
- dir(<objeto>)
- help(<objeto>.<metodo>)
Operaciones con números
Las básicas como en otros lenguajes. Operaciones matemáticas import math. Observa:
>>> 5/2
2
>>> 5/2.
2.5
# Conversión automática
>>> 10 ** 10
10000000000L
Casting
>>> num = '2.3' >>> float(num) 2.3 >>> int('2') 2 >>> long('2') 2L
Cadenas
Inmutables. iterables. Cadenas de bytes y unicode.
>>> nombre.upper()
'LUIS'
>>> nombre
'Luis'
>>> nombre[0] = 'l'
Traceback (most recent call last):
File "<pyshell#13>", line 1, in <module>
nombre[0] = 'l'
TypeError: 'str' object does not support item assignment
Formato de cadenas
# viejo estilo >>> "%s %s" %('hello', 'world') 'hello world' # Nuevo estilo. PEP 3101 >>> "{0} {1}".format('hello', 'world') 'hello world'
Lectura interactiva
- nombre = raw_input('Introduzca su nombre: ')
- edad = raw_input('Introduzca la edad: ')
- edad = int(edad)
Control de flujo
if
- edad = int(raw_input('Introduce tu edad: '))
- if edad < 18:
- print 'Menor de edad'
- else:
- print 'Mayor de edad'
No hay instrucción switch
for
print letra,
M e l l a m o L u i s
animals = ["cat", "dog", "bird"] for index in range(len(animals)): print index, animals[index]
Mejor:
for animal in animals: print animal # o si hace falta enumerar for n, animal in enumerate(animals): print n, animal
range
[5, 6, 7, 8, 9]
>>> range(0, 10, 3)
[0, 3, 6, 9]
>>> range(-10, -100, -30)
[-10, -40, -70]
Para repetir 10 veces algo:
- for x in range(10):
- print 'Hola'
while
- while temperatura > 24:
- ventilador_encendido
break, continue, else
... for x in range(2, n):
... if n % x == 0:
... print n, 'es igual a', x, '*', n/x
... break
... else:
... # sigue el bucle sin encontrar un factor
... print n, 'es un numero primo'
Funciones
- def al_cubo(num):
- return num ** 3
- def eleva(num, exp=2):
- return num ** exp
Estructuras de datos
Listas
Secuencias ordenadas. Dinámicas. Acceso por índice. Heterogéneas. Corchetes.
- notas = [8, 7, 4.5, 6]
- notas.append(9)
- media = sum(notas)/len(notas)
- print media # 6.9
Tuplas
Estáticas. Paréntesis.
Diccionarios
>>> letras = {} >>> for l in 'supercalifragilisticoespialidoso': ... letras[l] = letras.get('l', 0) + 1 ... >>> letras {'a': 3, 'c': 3, 'e': 3, 'd': 4, 'g': 2, 'f': 2, 'i': 4, 'l': 3, 'o': 4, 'p': 3, 's': 4, 'r': 2, 'u': 1, 't': 3} >>> letras.keys() >>> letras.values() >>> letras.items()
Ficheros
# viejo estilo fin = open("foo.txt") for linea in fin: # manipular linea fin.close() # mejor with open('foo.txt') as fin: for linea in fin: # manipular linea
Excepciones
try: f = open("file.txt") except IOError, e: # tratar excepción
Más complejo:
try: # código con riesgo except Exception, e: # captura excepción else: # si no ha saltado ninguna excepción finally: # ejecuta al final
Importar módulos
import math from math import sin import longname as ln math.sqrt(9) sin(30) ln(2)
- PYTHONPATH
- virtualenv
- Instalar paquetes