ADMINISTRACIÓN DE BASES DE DATOS [ 6 SEMESTRE ]



SISTEMAS GESTORES DE BASES DE DATOS MÁS UTILIZADOS



Un Gestor de Base de Datos (SGBD) es conocido como un conjunto de programas que sirven de interfaz entre el usuario y la base de datos para tener una sencilla manipulación de los datos.  Un SGBD debe permitir especificar tipos y estructuras, permite la manipulación de los datos mediante consultas y la actualización de la base de datos de manera sencilla.


MySQL
Es uno de los gestores de base de datos más usados, tanto por la comunidad estudiantil como por las empresas, está desarrollada bajo las licencias de GPL y la licencia comercial de Oracle. Este gestor es el más popular de código abierto y es utilizado por Twitter, Facebook y YouTube gracias a su rendimiento y confiabilidad.

SQL SERVER
Está enfocado para entornos empresariales, cuenta con un entorno gráfico para administración, se pueden usar comando DDL Y DML de manera gráfica.

ORACLE
 Es conocido como uno de los gestores de base de datos más completos gracias a su estabilidad y su soporte multiplataforma, este depende del tipo de licencia que se adquiera y se puede usar en distintos sistemas operativos.

MICROSOFT ACCESS
Este gestor de datos viene incluido en la suite de Microsoft oficce, es de uso fácil, permite crear bases de datos rápidamente, cuenta con plantillas para crear aplicaciones sencillas, pero funcionales, y es especialmente para uso personal de pequeñas organizaciones.

POSTGRE SQL
Es un gestor de base de datos bajo licencia, el desarrollo de este no es manejado por una empresa o persona, es dirigido por una comunidad de desarrolladores. En comparación con otros gestores es lento en actualizaciones y su consumo de recursos es más alto que el de MySQL.

TRIANGULO EN 3D




import pygame
from pygame.locals import *

from OpenGL.GL import *
from OpenGL.GLU import *

verticies = (
    (1, -1, -1),
    (1, 1, -1),
    (-1, 1, -1),
    (-1, -1, -1),
    (0,0,1)

    )

edges = (
    (4,0),
    (4,1),
    (4,2),
    (4,3),
    (0,1),
    (0,3),
    (2,1),
    (2,3)

    )


def Cube():
    glBegin(GL_LINES)
    for edge in edges:
        for vertex in edge:
            glVertex3fv(verticies[vertex])
    glEnd()


def main():
    pygame.init()
    display = (800,600)
    pygame.display.set_mode(display, DOUBLEBUF|OPENGL)

    gluPerspective(45, (display[0]/display[1]), 0.1, 50.0)

    glTranslatef(0.0,0.0, -5)

    while True:
        for event in pygame.event.get():
            if event.type == pygame.QUIT:
                pygame.quit()
                quit()

        glRotatef(1, 3, 1, 1)
        glClear(GL_COLOR_BUFFER_BIT|GL_DEPTH_BUFFER_BIT)
        Cube()
        pygame.display.flip()
        pygame.time.wait(10)


main()

CUBO DE COLORES EN 3D





import sys, math, pygame
from operator import itemgetter
class Point3D:
    def __init__(self, x=0, y=0, z=0):
        self.x, self.y, self.z = float(x), float(y), float(z)
    def rotateX(self, angle):
        """ Rotates the point around the X axis by the given angle in degrees. """
        rad = angle * math.pi / 180
        cosa = math.cos(rad)
        sina = math.sin(rad)
        y = self.y * cosa - self.z * sina
        z = self.y * sina + self.z * cosa
        return Point3D(self.x, y, z)
    def rotateY(self, angle):
        """ Rotates the point around the Y axis by the given angle in degrees. """
        rad = angle * math.pi / 180
        cosa = math.cos(rad)
        sina = math.sin(rad)
        z = self.z * cosa - self.x * sina
        x = self.z * sina + self.x * cosa
        return Point3D(x, self.y, z)

    def rotateZ(self, angle):
        """ Rotates the point around the Z axis by the given angle in degrees. """
        rad = angle * math.pi / 180
        cosa = math.cos(rad)
        sina = math.sin(rad)
        x = self.x * cosa - self.y * sina
        y = self.x * sina + self.y * cosa
        return Point3D(x, y, self.z)

    def project(self, win_width, win_height, fov, viewer_distance):
        """ Transforms this 3D point to 2D using a perspective projection. """
        factor = fov / (viewer_distance + self.z)
        x = self.x * factor + win_width / 2
        y = -self.y * factor + win_height / 2
        return Point3D(x, y, self.z)


class Simulation:
    def __init__(self, win_width=640, win_height=480):
        pygame.init()

        self.screen = pygame.display.set_mode((win_width, win_height))
        pygame.display.set_caption("Figura de cubo 3D en python")

        self.clock = pygame.time.Clock()

        self.vertices = [
            Point3D(-1, 1, -1),
            Point3D(1, 1, -1),
            Point3D(1, -1, -1),
            Point3D(-1, -1, -1),
            Point3D(-1, 1, 1),
            Point3D(1, 1, 1),
            Point3D(1, -1, 1),
            Point3D(-1, -1, 1)
        ]

        # Define the vertices that compose each of the 6 faces. These numbers are
        #  indices to the vertices list defined above.
        self.faces = [(0, 1, 2, 3), (1, 5, 6, 2), (5, 4, 7, 6), (4, 0, 3, 7), (0, 4, 5, 1), (3, 2, 6, 7)]

        # Define colors for each face
        self.colors = [(255, 0, 100), (100, 0, 0), (0, 25, 0), (0, 0, 255), (0, 255, 155), (255,5, 0)]

        self.angle = 0
    def run(self):
        """ Main Loop """
        while 1:
            for event in pygame.event.get():
                if event.type == pygame.QUIT:
                    pygame.quit()
                    sys.exit()

            self.clock.tick(50)
            self.screen.fill((0, 32, 0))

            # It will hold transformed vertices.            \
            t = []

            for v in self.vertices:
                # Rotate the point around X axis, then around Y axis, and finally around Z axis.
                r = v.rotateX(self.angle).rotateY(self.angle).rotateZ(self.angle)
                # Transform the point from 3D to 2D
                p = r.project(self.screen.get_width(), self.screen.get_height(), 256, 4)
                # Put the point in the list of transformed vertices
                t.append(p)

            # Calculate the average Z values of each face.
            avg_z = []
            i = 0
            for f in self.faces:
                z = (t[f[0]].z + t[f[1]].z + t[f[2]].z + t[f[3]].z) / 4.0
                avg_z.append([i, z])
                i = i + 1
            # Draw the faces using the Painter's algorithm:
            #  Distant faces are drawn before the closer ones.
            for tmp in sorted(avg_z, key=itemgetter(1), reverse=True):
                face_index = tmp[0]
                f = self.faces[face_index]
                pointlist = [(t[f[0]].x, t[f[0]].y), (t[f[1]].x, t[f[1]].y),
                             (t[f[1]].x, t[f[1]].y), (t[f[2]].x, t[f[2]].y),
                             (t[f[2]].x, t[f[2]].y), (t[f[3]].x, t[f[3]].y),
                             (t[f[3]].x, t[f[3]].y), (t[f[0]].x, t[f[0]].y)]
                pygame.draw.polygon(self.screen, self.colors[face_index], pointlist)

            self.angle += 1
            pygame.display.flip()


if __name__ == "__main__":
    Simulation().run()

CUBO EN 3D





import pygame
from pygame.locals import *

from OpenGL.GL import *
from OpenGL.GLU import *

verticies = (
    (1, -1, -1),
    (1, 1, -1),
    (-1, 1, -1),
    (-1, -1, -1),
    (1, -1, 1),
    (1, 1, 1),
    (-1, -1, 1),
    (-1, 1, 1)
    )

edges = (
    (0,1),
    (0,3),
    (0,4),
    (2,1),
    (2,3),
    (2,7),
    (6,3),
    (6,4),
    (6,7),
    (5,1),
    (5,4),
    (5,7)
    )


def Cube():
    glBegin(GL_LINES)
    for edge in edges:
        for vertex in edge:
            glVertex3fv(verticies[vertex])
    glEnd()


def main():
    pygame.init()
    display = (800,600)
    pygame.display.set_mode(display, DOUBLEBUF|OPENGL)

    gluPerspective(45, (display[0]/display[1]), 0.1, 50.0)

    glTranslatef(0.0,0.0, -5)

    while True:
        for event in pygame.event.get():
            if event.type == pygame.QUIT:
                pygame.quit()
                quit()

        glRotatef(1, 3, 1, 1)
        glClear(GL_COLOR_BUFFER_BIT|GL_DEPTH_BUFFER_BIT)
        Cube()
        pygame.display.flip()
        pygame.time.wait(10)


main()

GRÁFICA DE BARRAS

from mpl_toolkits.mplot3d import Axes3D
import matplotlib.pyplot as plt


fig = plt.figure()
ax1 = fig.add_subplot(111, projection='3d')

xpos = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]
ypos = [2,3,4,5,1,6,2,1,7,2,3,5,1,3,2]
num_elements = len(xpos)
zpos = [0,0,0,0,0,0,0,0,0,0,0,0,0,0,0]
dx = dy =dz = [20,2,3,4,5,6,7,8,9,10,11,12,13,14,15]

ax1.bar3d(xpos, ypos, zpos, dx, dy, dz, color='red')
plt.show()

Programas hechos desde cero

1.  Programa que pide el nombre de una persona y la salud.


from Tkinter import *
from tkMessageBox import *
 
ventana=Tk()
ventana.geometry("300x300")
ventana.title('Hola.........')
nombre= StringVar()
nombre.set('')
dato=Entry(ventana,textvariable=str(nombre)).place(x=100,y=100)
button=Button(ventana,text='hola',command=lambda:showinfo(title='hola', message='hola '+ nombre.get())).place(x=100,y=150)
 
ventana.mainloop()




2.  Programa que abre el explorador de archivos.


from Tkinter import *
from PIL import *
from tkFileDialog import askopenfilename
 
 
ventana=Tk()
ventana.geometry('450x300')
 
def llamada():
    hey = StringVar()
    nombre = askopenfilename()
    print nombre
    hey.set(nombre)
    label = Entry(ventana, textvariable=hey,width=50).place(x=100, y=100)
 
 
nombre=Label(ventana,text='pulse el boton y elija una ruta').place(x=10,y=10)
 
label=Entry(ventana,textvariable='').place(x=100,y=100)
button=Button(ventana,text='...',command=lambda:llamada()).place(x=150,y=150)
 
 
 
 
ventana.mainloop()





3. Programa que muestra la multiplicación de un numero




from Tkinter import *
app=Tk()#de la aplicacion con el objeto Tk()
vp=Frame(app)#utilizamos el objeto frame
def hacerclick():
    try:
        print 'funcionhacerclick1'
        valor=int(entrada_texto.get())
        valor=valor*5
        etiqueta1.config(text=valor)
 
    except ValueError:
        etiqueta1.config(text='introduce un valor')
 
def hacerclick2():
    try:
        print 'funcionhacerclick2'
        valor=int(entrada_texto.get())
        valor=valor*10
        etiqueta2.config(text=valor)
 
    except ValueError:
        etiqueta2.config(text='introduce un valor')
 
def hacerclick3():
    try:
        print 'funcionhacerclick3'
        valor=int(entrada_texto.get())
        valor=valor*15
        etiqueta3.config(text=valor)
 
    except ValueError:
        etiqueta3.config(text='introduce un valor')
 
 
 
'''hora le damos formato a nuestra ventana y para eso vamos
a utilizar el metodo grid() el cual nos va a permitir posicionar los
elementos graficos en nuestra ventana
 
otro parametro que utilizaremos sera el margen padx(50,50)
lo cual indica 50 pixeles del lado izquierdo y 50 pixeles del lado 
derecho
 
y despues utilizamos pady=(10,10) que son diez pixeles en la parte superior y diez pixeles en la
parte inferior'''
 
vp.grid(column=0,row=0,padx=(50,50),pady=(10,10))
 
'''luegovamos a utilizar los metodos columnfigure()
rowconfigure(),los cuales nos van a servir para dar
un peso relativo del ancho y el alto de todos los elementos
que se añadan a la ventana'''
 
vp.columnconfigure(0,weight=1)
vp.rowconfigure(0,weight=1)
 
'''creamos una etiqueta llamada valor y la posicionamos en el frame 
con el metodo grid()'''
 
etiqueta1=Label(vp,text='valor1')#creo un objeto para usar una etiqueta
etiqueta1.grid(column=100,row=2)#le da posicionamiento en la pantalla y no dentro del frame
 
etiqueta2=Label(vp,text='valor2')
etiqueta2.grid(column=100,row=4)
 
etiqueta3=Label(vp,text='valor3')
etiqueta3.grid(column=100,row=6)
 
'''creamos un boton de  y lo posicionamos con grid'''
boton=Button(vp,text='multiplicar por 5',command=hacerclick)
boton.grid(column=1,row=2)
 
boton=Button(vp,text='multiplicar por 10',command=hacerclick2)
boton.grid(column=1,row=4)
 
boton=Button(vp,text='multiplicar por 5',command=hacerclick3)
boton.grid(column=1,row=6)
 
'''creamos una caja de texto'''
 
valor=''
entrada_texto=Entry(vp,width=10,textvariable=valor)
entrada_texto.grid(column=10,row=10)
app.mainloop()











4.  Programa que al introducir un texto y oprimir un boton lo guarde en un option menu




from Tkinter import *
 
ventana=Tk()
ventana.geometry('400x200')
ventana.title('introducir pelis')
wow=StringVar()
global pelicula
arreglopelis=[]
def introducirpeliculas(pelicula,f):
    if pelicula.get()!='':
        n=0
        while f==1:
            agregar=pelicula.get()
            arreglopelis.insert(n,agregar)
 
            Opciones = OptionMenu(ventana,wow,*arreglopelis ).place(x=200, y=50)#ventana,una variable auxiliar que se usa para guardar el dato y el array
            n+=1
            break
 
pelicula=StringVar()
et2=Label(ventana,text='introduzca el nombre').place(x=10,y=10)
texto=Entry(ventana,textvariable=str(pelicula)).place(x=10,y=30)
print pelicula.get()#para saber que guardo
et1=Label(ventana,text='lista de peliculas').place(x=200,y=10)
boton=Button(ventana,text='introducir',command=lambda:introducirpeliculas(pelicula,f=1)).place(x=10,y=100)
 
ventana.mainloop()


[UNIDAD 4]: PROGRAMAS CORREGIDOS

1.  Programa que pide datos básicos de una persona.


from Tkinter import *
root = Tk()
root.geometry('250x150')
root.title('formulario 1')
nombre_label = Label(root,text="Nombre :")
nombre_label.grid(row=1,column=1)
nombre_str = StringVar()
nombre_entry = Entry(root,textvariable=nombre_str)
nombre_entry.grid(row=1,column=2)
last_label= Label(root,text="Apellido : ")
last_label.grid(row=2,column=1)
last_str = StringVar()
last_entry = Entry(root,textvariable=last_str)
last_entry.grid(row=2,column=2)
mail_label = Label(root,text="Email : ")
mail_label.grid(row=3,column=1)
mail_str = StringVar()
mail_entry = Entry(root,textvariable=mail_str)
mail_entry.grid(row=3,column=2)
endfinish = Button(root,text="finalizar",relief=FLAT)
endfinish.grid(row=4,column=2)
root.mainloop()


2.  Programa que calcula el IMC de una persona.




import sys
import Tkinter
from Tkinter import *
import tkMessageBox


def imc():
    num1 = int(entrada_peso.get())
    num2 = float(entrada_altura.get())
    imc = (num1 / (num2 * num2))

    if imc == 0 or imc < 18:
        tkMessageBox.showinfo("Resultado", "Peso bajo. Necesario valorar signos de desnutricion")

    elif imc == 18 or imc < 25:
        tkMessageBox.showinfo("Resultado", "Usted tiene un peso normal")

    elif imc == 25 or imc < 27:
        tkMessageBox.showinfo("Resultado", "Usted padece sobrepeso")

    elif imc == 27 or imc < 30:
        tkMessageBox.showinfo("Resultado", "Usted padece obesidad grado I")

    elif imc == 30 or imc < 40:
        tkMessageBox.showinfo("Resultado", "Usted padece de obesidad grado II")

    else:
        tkMessageBox.showinfo("Resultado", "Usted padece de obesidad morbida")


ventana = Tk()
ventana.title("Calculo de IMC")
ventana.geometry("400x200")
ventana.config(bg="rosybrown")

vp = Frame(ventana)
vp.grid(column=0, row=0, padx=(50, 50),
        pady=(10, 10))  # para posicionar cualquier objetovp.columnconfigure(0, weight=1)
vp.rowconfigure(0, weight=1)

peso = IntVar()
altura = float()

etiqueta_peso = Label(ventana, text='Peso(kg):', bg='ivory')
etiqueta_peso.grid(row=1, column=1, padx=(10, 10), pady=(10, 10), sticky=E)

entrada_peso = Entry(ventana, textvariable=peso)
entrada_peso.grid(row=1, column=2, padx=(10, 10), pady=(10, 10), sticky=E)

etiqueta_altura = Label(ventana, text='Altura(mts): ', bg='ivory')
etiqueta_altura.grid(row=2, column=1, padx=(10, 10), pady=(10, 10), sticky=E)

entrada_altura = Entry(ventana, textvariable=altura)
entrada_altura.grid(row=2, column=2, padx=(10, 10), pady=(10, 10), sticky=E)

bconv = Button(ventana, bg='plum', fg='white', text='Calcular IMC', width=10, height=1, command=imc)
bconv.grid(row=4, column=2, padx=(10, 10), pady=(10, 10))

ventana.mainloop()
3.  Programa que dice el signo zodiacal de una persona.







import sys
import Tkinter as tk
from Tkinter import *
import tkMessageBox

ventana = Tk()
ventana.title("Signo Zodiacal")
ventana.geometry("400x200")
ventana.config(bg="rosybrown")

vp = Frame(ventana)
vp.grid(column=0, row=0, padx=(50, 50),
        pady=(10, 10))  # para posicionar cualquier objetovp.columnconfigure(0, weight=1)
vp.rowconfigure(0, weight=1)

var = StringVar(ventana)
ver = StringVar(ventana)
var.set("Enero")  # initial valuever = StringVar(ventana)
var.set("1")  # initial value
etiqueta_mes = Label(ventana, text='Mes de nacimiento: ')
ent_mes = OptionMenu(ventana, var, "Enero", "Febrero", "Marzo", "Abril", "Mayo", "Junio", "Julio", "Agosto",
                     "Septiembre", "Octubre", "Noviembre", "Diciembre", )
etiqueta_mes.grid(row=1, column=1, padx=(10, 10), pady=(10, 10), sticky=E)
ent_mes.grid(row=1, column=3)

etiqueta_dia = Label(ventana, text='Dia de nacimiento: ')
ent_dia = OptionMenu(ventana, ver, "1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12", "13", "14", "15",
                     "16", "17", "18", "19", "20", "21", "22", "23", "24", "25", "26", "27", "28", "29", "30", "31")
etiqueta_dia.grid(row=4, column=1, padx=(10, 10), pady=(10, 10), sticky=E)
ent_dia.grid(row=4, column=3)


def signo():
    month = str(var.get())
    day = int(ver.get())
    if month == "Marzo" and day >= 21 or month == "Abril" and day <= 20:
        tkMessageBox.showinfo("Signo", "Eres Aries")
    elif month == "Abril" and day >= 21 or month == "Mayo" and day <= 21:
        tkMessageBox.showinfo("Signo", "Eres Tauro")
    elif month == "Mayo" and day >= 22 or month == "Junio" and day <= 21:
        tkMessageBox.showinfo("Signo", "Eres Gemenis")
    elif month == "Junio" and day >= 22 or month == "Julio" and day <= 22:
        tkMessageBox.showinfo("Signo", "Eres Cancer")
    if month == "Julio" and day >= 23 or month == "Agosto" and day <= 23:
        tkMessageBox.showinfo("Signo", "Eres Leo")
    if month == "Agosto" and day >= 24 or month == "Septiembre" and day <= 23:
        tkMessageBox.showinfo("Signo", "Eres Virgo")
    if month == "Septiembre" and day >= 24 or month == "Octubre" and day <= 23:
        tkMessageBox.showinfo("Signo", "Eres Libra")
    if month == "Octubre" and day >= 24 or month == "Noviembre" and day <= 22:
        tkMessageBox.showinfo("Signo", "Eres Escorpion")
    if month == "Noviembre" and day >= 23 or month == "Diciembre" and day <= 21:
        tkMessageBox.showinfo("Signo", "Eres Sagitario")
    if month == "Diciembre" and day >= 22 or month == "Enero" and day <= 20:
        tkMessageBox.showinfo("Signo", "Eres Capricornio")
    if month == "Enero" and day >= 21 or month == "Febrero" and day <= 18:
        tkMessageBox.showinfo("Signo", "Eres Acuario")
    if month == "Febrero" and day >= 19 or month == "Marzo" and day <= 20:
        tkMessageBox.showinfo("Signo", "Eres Piscis")


boton = Button(ventana, text='Signo', command=signo, width=20)
boton.grid(row=5, column=1, padx=(10, 10), pady=(10, 10), sticky=E)

ventana.mainloop()
4.  Programa que cuenta billetes y monedas.






[Adivina la pelicula] [Aportación propia]





from Tkinter import *
from PIL import Image, ImageTk
import os
import random
import pygame
import threading
import Tkinter
import time

"""DIRECTORIO DE  LAS IMAGENES"""
dir = os.path.dirname(__file__)
fotos = dir + "/peliculas/"
root = Tk()
arreglo = [1, 2, 3, 4]
eleccion = str(arreglo.index(random.choice(arreglo)) + 1)
print eleccion
figura = fotos + eleccion + ".jpg"
print figura



img = Image.open(figura)  # objeto para poder abrir la figura
tkimage = ImageTk.PhotoImage(img)  # muestra la imagen
etiqueta = Label(root, image=tkimage).place(x=100, y=150)  # Coloca una imagen en una etiqueta

    # cargar la etiqueta para que se pueda desplegar

def Ver():
    print(var.get())
    s = var.get()

    if s == "p1":
        if figura == "C:/CHIO/peliculas/1.jpg":
            root = Tk()
            lbl = Label(root, text='BIEN HECHO')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        else:
            root = Tk()
            lbl = Label(root, text='INCORRECTO. PRUEBA UNA VEZ MAS')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
            root.title('RESPUESTA')


    elif s == "p2":
        if figura == "C:/CHIO/peliculas/2.jpg":
            root = Tk()
            lbl = Label(root, text='BIEN HECHO')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        else:
            root = Tk()
            lbl = Label(root, text='INCORRECTO. PRUEBA UNA VEZ MAS')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
            root.title('RESPUESTA')



    elif s == "p3":
        if figura == "C:/CHIO/peliculas/3.jpg":
            root = Tk()
            lbl = Label(root, text='BIEN HECHO')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        else:
            root = Tk()
            lbl = Label(root, text='INCORRECTO. PRUEBA UNA VEZ MAS')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        root.title('RESPUESTA')



    else:
        if figura == "C:/CHIO/peliculas/4.jpg":
            root = Tk()
            lbl = Label(root, text='BIEN HECHO')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        else:
            root = Tk()
            lbl = Label(root, text='INCORRECTO. PRUEBA UNA VEZ MAS')
            lbl.pack()
            btn = Button(root, text='Ok', command=root.quit)
            btn.pack()
        root.title('RESPUESTA')



labelfont = ('Matura MT Script Capitals', 20, 'bold')
widget = Label(root, text='Adivina la pelicula')
widget.config(font=labelfont)
widget.place(x=350, y=50)



labelfont = ('Bookman Old Style', 10, 'bold')
widget = Label(root, text='A QUE PELICULA PERTENECE LOS\n'
                                'SIGUIENTES PERSONAJES?')
widget.config(font=labelfont)
widget.place(x=705, y=150)


var = StringVar()
labelfont = ('Ink Free', 10, 'bold')
rad0 = Radiobutton(root, text="Harry Potter", variable=var, value="p1", command=Ver, font=labelfont)
rad0.place(x=710, y=250)
rad1 = Radiobutton(root, text="Cazadores de sombras", variable=var, value="p2", command=Ver, font=labelfont)
rad1.place(x=710, y=300)
rad2 = Radiobutton(root, text="The Vampire Diaries", variable=var, value="p3", command=Ver, font=labelfont)
rad2.place(x=710, y=350)
rad3 = Radiobutton(root, text="Avengers", variable=var, value="p4", command=Ver, font=labelfont)
rad3.place(x=710, y=400)



var.set(' ')
root.geometry("951x800")
root.mainloop()

PRACTICA 50





#!/usr/bin/python
# -*- coding: utf-8 -*-
# www.pythondiario.com
 
import sys #importacion de la libreria sys
from Tkinter import * #importacion del modulo tkinter
 
 
def hacer_click(): #se crea una funcion
    try: #funciona en caso de que se ingrese a la caja de texto un valor diferente a un numero
        _valor = int(entrada_texto.get()) #captura lo que se ingrese a la caja de texto y lo guarda en _valor
        _valor = _valor * 5 #multiplica por 5 lo capturado por la caja y lo guarda en _valor
        etiqueta.config(text=_valor) #modifica la etiqueta por el valor resultante al multiplicar por 5
    except ValueError: #es parte del try, y se utiliza en caso de que se ingrese un valor distinto a un numero
        etiqueta.config(text="Introduce un numero!") #muestra una etiqueta y manda un mensaje
 
 
app = Tk() #se crea la ventana de la app
app.title("Mi segunda App Grafica") #se le da titulo a la ventana
 
# Ventana Principal
vp = Frame(app) #organiza y da formato a la ventana
vp.grid(column=0, row=0, padx=(50, 50), pady=(10, 10)) #posiciona los elementos graficos en nuestra ventana
vp.columnconfigure(0, weight=1) #da un peso relativo al ancho y alto de todos los elementos que se pongan en la ventana
vp.rowconfigure(0, weight=1) #da un peso relativo al ancho y alto de todos los elementos que se pongan en la ventana
 
etiqueta = Label(vp, text="Valor") #se crea una etiqueta
etiqueta.grid(column=2, row=2, sticky=(W, E)) #se posiciona la etiqueta
 
boton = Button(vp, text="OK!", command=hacer_click) #se crea un boton que accionara la funcion hacer_click
boton.grid(column=1, row=1) #se posiciona el boton
 
valor = "" #se crea una variable
entrada_texto = Entry(vp, width=10, textvariable=valor) #se crea una caja de texto para ingresar datos
entrada_texto.grid(column=2, row=1) #se posiciona la caja de texto
 
app.mainloop() #ejecuta la ventana para que se pueda visualizar

PRACTICA 49: CREAR UNA VENTANA, BOTÓN Y ETIQUETA




#!/usr/bin/python
# -*- coding: utf-8 -*-
# www.pythondiario.com
 
from Tkinter import *
 
app = Tk()
app.title("Aplicacion grafica en python")
etiqueta = Label(app, text="Hola mundo!!!")
boton = Button(app, text="OK!!")
 
etiqueta.pack()
boton.pack()
app.mainloop()

PRACTICA 48: ABRIR UN ARCHIVO







#!/usr/bin/python
# -*- coding: utf-8 -*-
# www.pythondiario.com
 
from Tkinter import *
from tkFileDialog import askopenfilename
 
 
def llamada():
    nombre = askopenfilename()
    print nombre
 
 
errmsg = 'Error!'
Button(text='Abrir archivo', command=llamada).pack(fill=X)
mainloop()

PRACTICA 47: CAJA DE DIALOGO













#!/usr/bin/python
# -*- coding: utf-8 -*-
# www.pythondiario.com
 
from Tkinter import *
from tkMessageBox import *
 
 
def pregunta():
    showerror("Pregunta", "Discuple, no hay preguntas disponibles")
 
 
def devolucion():
    if askyesno('Verificar', '¿Realmente quiere salir?'):
        showwarning('Si', 'No está implementado')
    else:
        showinfo('No', 'Salir fue cancelado')
 
 
Button(text='Salir', command=devolucion).pack(fill=X)
Button(text='Pregunta', command=pregunta).pack(fill=X)
mainloop()

PRACTICA 46 UNIDAD 3: JUEGO DE CARLOS OLVERA




from Tkinter import *  # libreria para utilizar las ventanas,labels,ventanasemergentes y botones
from tkMessageBox import *  # para poder utilizar el abra el cuadro de dialogo
import random  # para poder generar nuneros aleatorios


def funcion(opcion):
    tiposdemanos = ['piedra', 'papel', 'tijera']  # creo un arreglo con tres valores posibles
    eleccion_aleatoria = random.choice(
        tiposdemanos)  # a la variable le asigno un valor a traves de random utilizando uno de los tres valores que estan en el array
    decisioncpu = eleccion_aleatoria  # la variable decision cpu se iguala
    decision_usuario = opcion  # utilizo como parametro la variable opcion y la igualo a decision usuario para poder usarla en el if

    if decision_usuario == 1:  # el numero uno lo uso como tijera y ese valor se lo asigno al presionar el boton 'piedra'
        Decisionusuario = Label(ventana, text='elegiste piedra', font=("agency fb", 12)).place(x=50, y=220)
        imagen1 = PhotoImage(file='piedrausuario.gif')  # utilizo una imagen para mostrar mi seleccion
        lblusuario = Label(ventana, image=imagen1).place(x=50, y=300)  # muestro esa image a traves de un label
        DecisionCPU = Label(ventana, text=('la cpu eligio ' + decisioncpu), font=("agency fb", 12)).place(x=300,
                                                                                                          y=220)  # muestro en pantalla la decision random que genero
        if decisioncpu == "piedra":  # la decision random la comparo con cadenas de caracteres en los 3 casos
            imagen2 = PhotoImage(file='piedracpu.gif')  # eligo la imagen determinada
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)  # y la muestro en pantalla
            showinfo(title='resultado',
                     message='empate')  # atravez de una ventana emergente muestro si gano,perdio o empato

        elif decisioncpu == 'papel':
            imagen2 = PhotoImage(file='papelcpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            showinfo(title='resultado ', message='perdiste')

        else:
            imagen2 = PhotoImage(file='tijeracpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            showinfo(title='resultado', message='Ganaste')



    elif decision_usuario == 2:
        imagen1 = PhotoImage(file='papelusuario.gif')
        lblusuario = Label(ventana, image=imagen1).place(x=50, y=300)
        Label10 = Label(ventana, text='elegiste papel', font=("agency fb", 12)).place(x=50, y=220)
        Label11 = Label(ventana, text=('la cpu eligio ' + decisioncpu), font=("agency fb", 12)).place(x=300, y=220)
        if decisioncpu == 'piedra':
            imagen2 = PhotoImage(file='piedracpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            print 'haz ganado pax'
            showinfo(title='resultado ', message='Ganaste')
        elif decisioncpu == 'papel':
            imagen2 = PhotoImage(file='papelcpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            print 'empate'
            showinfo(title='resultado', message='empate')

        else:
            imagen2 = PhotoImage(file='tijeracpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            print 'haz perdido!!!!'
            showinfo(title='resultado ', message='perdiste')

    elif decision_usuario == 3:
        imagen1 = PhotoImage(file='tijerausuario.gif')
        lblusuario = Label(ventana, image=imagen1).place(x=50, y=300)
        Label10 = Label(ventana, text='elegiste tijera', font=("agency fb", 12)).place(x=50, y=220)
        Label11 = Label(ventana, text=('la cpu eligio ' + decisioncpu), font=("agency fb", 12)).place(x=300, y=220)
        if decisioncpu == 'piedra':
            imagen2 = PhotoImage(file='piedracpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            showinfo(title='resultado ', message='perdiste')
        elif decisioncpu == 'papel':
            imagen2 = PhotoImage(file='papelcpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            showinfo(title='resultado ', message='ganaste')
        else:
            imagen2 = PhotoImage(file='tijeracpu.gif')
            lblcpu = Label(ventana, image=imagen2).place(x=250, y=300)
            showinfo(title='resultado ', message='empate')


ventana = Tk()
ventana.geometry("500x500")
ventana.title('JUEGO DEL PIEDRA PAPEL O TIJERA')

label1 = Label(text="ELIGA UNO DE LOS 3", font=("agency fb", 18)).place(x=10, y=30)

label3 = Label(ventana, text='PIEDRA,PAPEL O TIJERA').place(x=0, y=0)
label2 = Label(ventana, text='un juego clasico y sencillo').place(x=0, y=0)
# boton para piedra
Piedra = Button(ventana, text='piedra', command=lambda: funcion(1)).place(x=50, y=100)
# boton para papel
Papel = Button(ventana, text='papel', command=lambda: funcion(2)).place(x=150, y=100)
# boton para tijera
Tijera1 = Button(ventana, text='tijera', command=lambda: funcion(3)).place(x=250, y=100)

ventana.mainloop()