古一级毛片免费观看

    1. <form id=DHPphdbei><nobr id=DHPphdbei></nobr></form>
      <address id=DHPphdbei><nobr id=DHPphdbei><nobr id=DHPphdbei></nobr></nobr></address>

      DOCTORADO EN INFORMÁTICA

      PROGRAMACIÓN DE SISTEMAS UNIX:
      COMUNICACIÓN ENTRE PROCESOS

      RAMÓN M. GÓMEZ LABRADOR

      JUNIO 1.996


      ÍNDICE.

      1. PROCESOS.

        1. Conceptos generales.
        2. Ejecución de comandos.
          1. Subrutina system.
          2. Subrutinas exec.
        3. Creación de procesos.
          1. Subrutina fork.
          2. Subrutinas wait y waitpid.
        4. Terminación de un proceso.
          1. Subrutina exit.
          2. Subrutina atexit.

      2. SEÑALES.

        1. Conceptos generales.
        2. Lista de las señales más importantes.
        3. Capturar señales.
          1. Subrutina signal:
          2. Subrutina sigaction:
          3. Subrutina kill:
        4. Alarmas y temporizadores.
          1. Subrutinas alarm y ualarm:
        5. Tratamiento de errores.
          1. Lista de errores más importantes.
          2. Subrutina perror:

      3. PIPES (TUBERÍAS).

        1. Conceptos generales.
        2. Redirección.
          1. Subrutinas dup y dup2:
          2. Subrutina fcntl:
        3. Comunicación entre procesos emparentados.
          1. Subrutina pipe
        4. Comunicación entre procesos no emparentados.
          1. Subrutina mkfifo:

      Lista de programas.


      1. PROCESOS.

      1,1. Conceptos generales.

      Proceso:
      programa o comando en ejecución.
      Características:

      Ejecución en 1er plano:
      proceso iniciado por el usuario o interactivo.

      Ejecución en 2o plano:
      proceso no interactivo que no necesita ser iniciado por el usuario.

      Demonio:
      proceso en 2o plano siempre disponible, que da servicio a varias tareas (debe ser propiedad del usuario root).

      Proceso zombi:
      proceso parado que queda en la tabla de procesos hasta que termine su padre. Este hecho se produce cuando el proceso padre no recoge el código de salida del proceso hijo.

      Proceso huérfano:
      proceso en ejecución cuyo padre ha finalizado. El nuevo identificador de proceso padre (PPID) coincide con el identificador del proceso init (1).


      1,2. Ejecución de comandos.

      1,2,1. Subrutina system:

      - Descripción:
      Llamada a un intérprete para ejecutar un comando.
      El proceso espera a que finalice la ejecución de la subrutina y devuelve la salida del programa ejecutado.

      - Formato:
      #include <stdlib.h>
      int system (cadena)
      const char *cadena;

      - Parámetro:
      cadena - Comando a ejecutar.

      - Devuelve:
      Estado de salida del programa ejecutado. -1 o 127 en caso de error.

      - Comentarios:
      a) Se crea un proceso hijo (fork) y se lanza (exec) /usr/bin/bsh, que interpreta el comando a ejecutar.
      b) Si la llamada se hace con camino seguro, la orden exec ejecuta el intérprete /usr/bin/tsh.
      c) Se ignoran las señales SIGINT y SIGQUIT y se bloquea la señal SIGCHLD.
      d) La salida de system no afecta a la salida de los procesos hijos del proceso ejecutor.

      - Ejemplo:

      /* system.c - Listar los procesos del usuario usando system. */
      #include <stdio.h>
      #include <stdlib.h>
      
      int main ()
          {
          int  salida;	/* Salida del comando */
          char comando[100];	/* Comando a ejecutar */
      
          printf ("Ejemplo de system.\n");
          sprintf (comando, "/bin/ps -fu %s", getenv ("USER"));
          salida = system (comando);
          printf ("Salida del comando: %d\n", salida);
          exit (salida);
          }
      
      
      
      Ejemplo de system.
          USER     PID    PPID     TTY  CMD
         ramon    3638       1   hft/0  -ksh
         ramon   10089   10600   hfp/0  /bin/ps -fu ramon
         ramon   10600   11623   hft/0  bsh bsh bsh
         ramon   11623    3638   hft/0  system.e
      Salida del comando: 0
      
      
      Suponiendo que no existe el comando MUSHO y sustituyendo la ejecución de system por la siguiente línea, se obtiene la salida mostrada a continuación.
      
      salida = system ("MUSHO BETI");
      
      
      Ejemplo de system.
      bsh: MUSHO: no encontrado.
      Salida del comando: 256
      
      

      1,2,2. Subrutinas exec>:

      - Descripción:
      Ejecuta un nuevo programa en el mismo proceso.
      Se crea un proceso imagen sustituyendo el programa actual por el nuevo.

      - Formatos:
      #include <unistd.h>
      int execl (camino, arg0 [, arg1, ...] , 0)
      const char *camino, *arg0, *arg1, ...;

      int execle (camino, arg0 [, arg1, ...] , 0, p_entorno)
      const char *camino, *arg0, *arg1, ...;
      char *const p_entorno[];

      int execlp (fichero, arg0 [, arg1, ...] , 0)
      const char *fichero, *arg0, *arg1, ...;

      int execv (camino, val_args)
      const char *camino;
      char *const val_args[];

      int execve (camino, val_arg, p_entorno)
      const char *camino;
      char *const val_args[], *p_entorno[];

      int execvp (fichero, val_args)
      const char *fichero;
      char *const val_args[];

      int exect (camino, val_arg, p_entorno)
      char *camino, *val_args, *p_entorno[];

      - Sufijos:
      L - usa lista de parámetros, el último debe ser 0.
      V - usa matriz de parámetros generada previamente, el último debe ser 0.
      T - trazado del programa con ptrace (en desuso).
      E - usa la matriz de variables de entorno.
      P - búsqueda utilizando la variable PATH.

      - Parámetros:
      camino - Camino completo del fichero ejecutable.
      fichero - Nombre del fichero ejecutable.
      argN - Argumento N-ésimo.
      val_args - Puntero a la matriz de argumentos.
      p_entorno - Puntero a la matriz del entorno.

      - Devuelve:
      -1, en caso de error.

      - Comentarios:
      a) La rutina principal (main) de un programa C ejecutable recibe los siguientes parámetros:
      int main (cont_args, val_args, p_entorno)
      int cont_args; /* Contador de argumentos. */
      char *val_args; /* Puntero a la matriz de argumentos. */
      char *p_entorno; /* Puntero a la matriz del entorno. */
      Las variables val_args y p_entorno son similares a las utilizadas en las subrutinas exec.

      b) Esta rutina principal llama a una subrutina de iniciación que construye la variable de entrono. Dicha variable global es accesible desde el programa declarándola de la siguiente manera:
      extern char **environ;
      Las subrutinas exec que no usan el parámetro p_entorno utilizan la variable environ.

      c) Los descriptores de ficheros abiertos se pasan al nuevo proceso imagen, excepto los que tengan activo el bit FD_CLOEXEC (ver fcntl).

      d) Las señales capturadas se reasignan a sus acciones por defecto; las ignoradas, continúan siendo ignoradas (ver sigaction).

      e) Si el nuevo proceso imagen tiene activo el bit SUID, la identificación efectiva de usuario (EUID) del nuevo proceso toma el valor del identificador del propietario. Idem, si tiene activo el bit SGID.

      f) Los identificadores reales de usuario y de grupo (RUID y RGID) mantienen el valor que tenían en el proceso llamador.

      g) El párrafo anterior puede aplicarse a ficheros remotos (previa traducción de los identificadores).

      h) El párrafo e) no afecta a las shell-scripts.

      i) El proceso nuevo mantiene las siguientes características del proceso llamador:


      - Ejemplo:

      /* exec.c - Listar los procesos del usuario usando exec. */
      #include <stdio.h>
      #include <unistd.h>
      
      int main ()
          {
          int  salida;/* Salida del comando */
      
          printf ("Ejemplo de exec.\n");
          execl ("/bin/ps", "ps", "-fu", getenv ("USER"), 0);
          printf ("Salida del comando: %d\n", salida);

      exit (salida); }

      
      Ejemplo de system.
          USER     PID    PPID     TTY  CMD
         ramon    3638       1   hft/0  -ksh
         ramon   10739    3638   hft/0  /bin/ps -fu ramon
      
      
      Suponiendo que no existe el comando MUSHO y sustituyendo la ejecución de execl por la siguiente línea, se obtiene la salida mostrada a continuación.
      
      salida = execl ("MUSHO", "BETI", 0);
      
      
      Ejemplo de exec.
      Salida del comando: -1
      
      

      1,3. Creación de procesos.

      1,3,1. Subrutina fork:

      - Descripción:
      Crea un nuevo proceso (hijo), copia casi exacta del proceso generador (padre).

      - Formato:
      #include <unistd.h>
      pid_t fork ();

      - Devuelve:
      0 al proceso hijo y PID del hijo al proceso padre (-1, si error).

      - Comentarios:
      a) La versión BSD (en la librería libbsd.a) es:
      int vfork ();

      b) Atributos que hereda el proceso hijo.

      c) Atributos diferenciadores entre padre e hijo:


      - Ejemplos:

      /* fork.c - Ejecución conjunta de procesos padre e hijo */
      #include <stdio.h>
      #include <unistd.h>
      main ()
          {
          printf ("Ejemplo de fork.\n");

      printf ("Inicio del proceso padre. PID=%d\n", getpid ());

      if (fork() == 0)

      { /* Proceso hijo */ printf ("Inicio proceso hijo. PID=%d, PPID=%d\n", getpid (), getppid ()); sleep (1); } else { /* Proceso padre */ printf ("Continuación del padre. PID=%d\n", getpid ()); sleep (1); } printf ("Fin del proceso %d\n", getpid ()); exit (0); }

      Ejemplo de fork.
      Inicio proceso padre. PID=8153
      Inicio proceso hijo. PID=6618, PPID=8153
      Continuación proceso padre. PID=8153
      Fin del proceso 6618
      Fin del proceso 8153
      
      

      - Ejemplo:

      /* fork_huerf.c  - Ejemplo de proceso huérfano *
      #include <stdio.h>
      #include <unistd.h>
      main ()
          {
          printf ("Ejemplo de proceso huérfano.\n");
          printf ("Inicio del proceso padre. PID=%d\n", getpid ());
          if (fork () == 0)
      	{
      	printf ("Inicio proceso hijo. PID=%d, PPID=%d\n",
      	getpid (), getppid ());
      	sleep (1);
      	printf ("El proceso queda huérfano. PID=%d PPID=%d\n",
      	getpid (), getppid ());
      	}
          else
      	printf ("Concinuación del padre. PID=%d\n", getpid ());
          printf ("Fin del proceso %d\n", getpid ());
          exit (0);
          }
      
      
      Ejemplo de proceso huérfano.
      Inicio proceso padre. PID=11330
      Inicio proceso hijo. PID=6467, PPID=11330
      Continuación proceso padre. PID=11330
      Fin del proceso 11330
      $punto indicativo> El proceso queda huérfano. PID=6467, PPID=1
      Fin del proceso 6467
      
      
      Notas:


      1,3,2. Subrutinas wait y waitpid:

      - Descripción:
      Espera a que pare o termine un proceso hijo, permitiendo obtener sus estados de salida.
      Una señal no bloqueada o no ignorada puede reactivar el proceso padre.

      - Formato:
      #include <sys/wait.h>
      pid_t wait (estados)
      int *estados;

      pid_t wait ((void *) 0);

      pid_t waitpid (PID, estados, opciones)
      pid_t PID;
      int *estados, opciones;

      - Parámetros:<
      PID - PID del proceso o grupo de proceso. Sus valores son:
      opciones - Máscara de opciones. Sus bits son:
      estados - Puntero a una tabla con los estados de salida de los procesos.

      - Devuelve:

      0, si no ha terminado ningún proceso.

      - Macros:
      WIFSTOPPED (estado) /* !=0, si estado es de un hijo parado */
      pid_t estado;

      int WSTOPSIG (estado) /* Nú de señal que ha causado la parada */
      pid_t estado;

      WIFEXITED (estado) /* !=0, si estado es de salida normal */
      pid_t estado;

      int WEXITSTATUS (estado) /* 8 bits bajos del estado de salida */
      pid_t estado;

      WIFSIGNALED (estado) /* !=0, si estado es de salida anormal */
      pid_t estado;

      int WTERMSIG (estado) /* Nú de sañal que ha causado la slida */
      pid_t estado;

      - Cometarios:
      a) Estas subrutinas pueden verse afectadas por la señal SIGCHLD (ver sigaction).
      b) La subrutina wait espera la terminación de cualquier proceso hijo.


      - Ejemplos:

      /* waitpid.c - Esperar la terminación de un proceso hijo */
      #include <stdio.h>
      #include <signal.h>
      #include <sys/wait.h>
      
      main ()
          {
          pid_t id_padre;	/* PID del proceso padre */
          pid_t id_hijo;	/* PID del proceso hijo */
          int   estado;	/* Estado de salida */
      
          printf ("Ejemplo de waitpid.\n");
          printf ("Inicio proceso padre. PID=%d\n", getpid ());
          id_padre = getpid ();
          if ((id_hijo = fork ()) == 0)
              {		/* Proceso hijo */
              printf ("Inicio proceso hijo. PID=%d, PPID=%d\n",
              getpid (), id_padre);
              sleep (3);
              printf ("Salida proceso hijo. PID=%d\n", getpid ());
              exit (getpid () > id_padre);        /* 1, si PID > PPID */
              }
          else
              {
              signal (SIGINT, SIG_IGN);        /* Ignorar CTRL-C */
              while (waitpid (id_hijo, &estado, 0) != id_hijo);
              if (WIFSIGNALED (estado))
                  printf ("El proceso hijo ha recibido la señal %d\n", WTERMSIG (estado));
              if (WIFEXITED (estado))
                 {
                 printf ("Estado de salida del proceso hijo: %d\n", WEXITSTATUS (estado));
                 if (WEXITSTATUS (estado) == 1)
                     printf ("PID hijo > PID padre.\n");
                 else
                     printf ("PID padre > PID hijo.\n");
                 }
              printf ("Fin del proceso %d\n", getpid ());
              exit (0);
          }
      
      
      Ejemplo de waitpid.
      Inicio proceso padre. PID=24213
      Inicio proceso hijo. PID=31638, PPID=24213
      Fin proceso hijo. PID=31638
      Estado de salida del proceso hijo: 1
      PID hijo > PID padre
      Fin del proceso 24213
      
      
      La salida siguiente muestra el efecto de generar una señal de interrupción pulsando [CTRL][C]. Dicha señal provoca la terminación automática del proceso hijo, mientras que el proceso padre la ignora (ver signal).

      Ejemplo de waitpid.
      Inicio proceso padre. PID=7240
      Inicio proceso hijo. PID=5705, PPID=7240
      ^CEl proceso hijo ha recibido la señal: 2
      Fin del proceso 7240
      


      1,4. Terminación de un proceso.

      1,4,1. Subrutina exit:

      - Descripción:
      Termina la ejecución de un proceso.

      - Formato:
      #include <stdlib.h>
      void exit (estado)
      int estado;

      - Parámetro:
      Estado de salida del proceso.

      - Comentarios:
      a) El proceso de salida de un proceso es el siguiente:

      b) Si _cleanup no puede cancelar las peticiones de E/S asíncrona, la aplicación se bloquea hasta que se completen dichas peticiones.

      c) Se cierran todos los descriptores de fichero.

      d) Si el proceso padre está en espera (ver wait), se devuelve el valor de los 8 bits menos significativos del estado de salida.

      e) Se envía una señal SIGCHLD al proceso padre. La acción por defecto es ignorar esta señal. Si no se ignora, el proceso hijo puede quedar como proceso zombi.

      f) La salida de un proceso no provoca la terminación de sus hijos. El PPID de los hijos será el PPID del proceso init (1).

      g) Se eliminan los bloqueos de ficheros (ver fcntl).

      h) Si para un proceso perteneciente a un grupo huérfano, se envían las señales SIGHUP y SIGCONT a cada proceso del grupo de procesos huérfanos.


      1,4,2. Subrutina atexit:

      - Descripción:
      Ejecuta una determinada función antes de la terminación del proceso.

      - Formato:
      #include <sys/limits.h>
      int atexit (función)
      void (*función) (void);

      - Parámetro:
      Puntero a la función llamada.

      - Devuelve:
      0: si no hay errores.

      - Comentarios:
      a) La función se ejecuta si se ha completado con éxito la subrutina _cleanup.


      - Ejemplo:

      /* atexic.c - Ejecución de una rutina al salir de un programa */
      #include <stdio.h>
      #include <sys/limits.h>
      
      int bucle=0;		/* Contador de vueltas del bucle */
      
      void salida ();		/* Prototipo de la función de salida */
      
      int main ()
         {
         int n;
      
         atexit (salida);
         printf ("Ejemplo de atexit.\n");
         for (bucle=1; bucle<255; bucle++)
      	{
      	n=rand ();
      	printf ("%d-%d\t", bucle, n);
      	if (n > 30000)
      	   exit (1);
      	}
         exit (0);
         }
      
      void salida ()
           {
           printf ("El bucle ha dado %d vueltas.\n");
           printf ("Hasta luega Lucas.\n");
           }
      
      
      Ejemplo de atexit.
      1-16838	2-5758	3-10113	4-17515	5-31051
      El bucle ha dado 5 vueltas.
      Hasta luego Lucas.
      
      

      2. SEÑALES.

      2,1. Conceptos generales.

      Señal:
      Evento que debe ser procesado y que puede interrumpir el flujo normal de un programa.

      Capturar una señal:
      Una señal puede asociarse con una función que procesa el evento que ha ocurrido.

      Ignorar una señal:
      El evento no interrumpe el flujo del programa. Las señales SIGINT y SIGSTOP no pueden ser ignoradas (ver tabla de señales).

      Acción por defecto:
      Proceso suministrado por el sistema para capturar la señal (ver tabla de señales).

      Alarma:
      Señal que es activada por los temporizadores del sistema.

      Error:
      Fallo o acción equivocada que puede provocar la terminación del proceso.

      Error crítico:
      Error que provoca la salida inmediata del programa.


      2,2. Lista de las señales más importantes.

      Núm. Nombre Comentarios
      1 SIGHUP Colgar. Generada al desconectar el terminar.
      2 SIGINT Interrupción. Generada por teclado.
      3 SIGQUIT1 Salir. Generada por teclado.
      4 SIGILL1 Instrucción ilegal. No se puede recapturar.
      5 SIGTRAP1 Trazado. No se puede recapturar.
      6 SIGABRT1 Abortar proceso.
      8 SIGFPE1 Excepción aritmética, de coma flotante o división por cero.
      9 SIGKILL1 Matar proceso. No puede capturarse, ni ignorarse.
      10 SIGBUS1 Error en el bus.
      11 SIGSEGV1 Violación de segmentación.
      12 SIGSYS1 Argumento erróneo en llamada al sistema.
      13 SIGPIPE Escritura en una tubería que otro proceso no lee.
      14 SIGALRM Alarma de reloj.
      15 SIGTERM Terminación del programa.
      16 SIGURG2 Urgencia en canal de E/S.
      17 SIGSTOP3 Parada de proceso. No puede capturarse, ni ignorarse.
      18 SIGTSTP3 Parada interactiva. Generada por teclado.
      19 SIGCONT4 Continuación. Generada por teclado.
      20 SIGCHLD2 Parada o salida de proceso hijo.
      21 SIGTTIN3 Un proceso en 2o plano intenta leer del terminal.
      22 SIGTTOU3 Un proceso en 2o plano intenta escribir en el terminal.
      23 SIGIO2 Operación de E/S posible o completada.
      24 SIGXCPU Tiempo de UCP excedido.
      25 SIGXFSZ Excedido el límite de tamaño de fichero.
      30 SIGUSR1 Definida por el usuario número 1.
      31 SIGUSR2 Definida por el usuario número 2.
      34 SIGVTALRM Alarma de tiempo virtual.
      36 SIGPRE Excepción programada. Definida por el usuario.

      Notas sobre la acción por defecto para la señal.

      1. Generar un fichero core.
      2. Ignorar la señal.
      3. Parar el proceso que recibe la señal.
      4. Reiniciar o continuar el proceso que recibe la señal.
      Las señales comprendidas entre la 37 y la 58 (ambas inclusive) están reservadas por el sistema.

      El rango de señales en el UNIX de Berkeley (BSD) es de 1 a 31.


      2,3. Capturar señales.

      2,3,1. Subrutina signal:

      - Descripción:
      Asocia una acción determinada con una señal.

      - Formato:
      #include <signal.h>
      void (*signal (señal, acción)) ()
      int señal;
      void (*accón) ();

      - Parámetros:
      señal: Número de señal, excepto SIGKILL.
      acción: Puntero a la rutina asociada con la señal o uno de los valores:

      - Devuelve:
      Valor de la acción anteriormente asociada; -1, en caso de error.

      - Comentarios:
      a) Existe una versión de la subrutina signal compatible con el UNIX de Berkeley (BSD).
      b) No se permiten máscaras de bloqueo de señales y se activa el bit SA_OLDSTYLE (ver >sigaction).


      - Ejemplo:

      /* signal.c - Contar el número de CTRL-C en 15 segundos */
      #include <stdlib.h>
      #include <signal.h>
      
      int numcortes=0;	/* Contador de CTRL-C */
      int enbucle=1;		/* Controlador de salida del bucle de espera */
      
      void alarma ();		/* Captura la señal de alarma SIGALRM */
      void cortar ();		/* Captura la señal de interrupción SIGINT */
      
      int main ()
          {
          signal (SIGINT, cortar);
          signal (SIGALRM, alarma);
          printf ("Ejemplo de signal.\n");
          printf ("Pulsa varias veces CTRL-C durante 15 segundos.\n");
          alarm (15);
          while (bucle);
          signal (SIGINT, SIG_IGN);
          printf ("Has intentado cortar %d veces.\n", numcortes);
          printf ("Hasta luego Lucas.\n");
          exit (0);
          }
      
      void alarma ()
           {
           signal (SIGALRM, SIG_IGN);
           bucle=0;		/* Salir del bucle */
           printf ("¡Alarma!\n");
           }
      
      void cortar ()
           {
           signal (SIGINT, SIG_IGN);
           printf ("Has pulsado CTRL-C\n");
           numcortes++;
           signal (SIGINT, cortar);
           }
      
      
      Ejemplo de signal.
      Pulsa CTRL-C varias veces durante 15 segundo.
      ^CHas pulsado CTRL-C
      ^CHas pulsado CTRL-C
      ^CHas pulsado CTRL-C
      ^CHas pulsado CTRL-C
      ^CHas pulsado CTRL-C
      ¡Alarma!
      Has intentado cortar 5 veces.
      Hasta luego Lucas.
      


      2,3,2. Subrutina sigaction:

      - Descripción:
      Especifica la acción a realizar cuando un proceso recibe una señal.

      - Formato:
      #include <signal.h>
      int sigaction (señal, acción, acción_salida) ()
      int señal;
      struct sigaction *accón, *acción_salida;

      - Parámetros:
      señal: Número de señal, excepto SIGKILL.
      acción: Acción especificada cuando se recibe la señal.
      acción_salida: Acción a realizar cuando termine la función sigaction.

      - Campos de la estructura sigaction:
      void (*sa_handler) (); Puntero a la rutina asociada con la señal o uno de los valores:
      sigset_t sa_mask; Especifica la máscara de las señales que serán bloqueadas durante la captura de la señal especificada.
      int sa_flags;

      - Devuelve:
      0, si es correcta; -1, en caso de error.

      - Comentarios:
      a) Las siguientes funciones pueden ser llamadas sin problemas desde una rutina de captura de señales:
      _exit access alarm chdir chmod chown
      close creat dup dup2 exec fcntl
      fork fstat getegid geteuid getgid getgroups
      getpgrp getpid getppid getuid kill link
      lseek mkdir mkfifo open pause pipe
      readx rename rmdir setgid setpgrp setuid
      sigaction sigaddset sigdelset sigfillset sigismember signal
      sigpending sigprocmask sigsuspend sleep statx tcdrain
      tcflow tcflush tcgetattr tcgetpgrp tcsendbreak tcsetattr
      tcsetpgrp time times umask uname unlink
      ustat utime write

      b) Una vez que una acción está instalada para una señal, continúa hasta que haya otra llamada a sigaction o se llame a la subrutina exec, excepto si se ha activado el bit SA_OLDSTYLE.

      c) Las señales SIGKILL y SIGSTOP no pueden ser ignoradas.


      2,3,3. Subrutina kill:

      - Descripción:
      Envía una señal a un proceso.

      - Formato:
      #include <signal.h>
      int kill (proceso, señal)
      pid_t proceso;
      int señal;

      - Parámetros:
      proceso: Identificador del proceso o del grupo de procesos que recibirá la señal. Puede tomar los siguientes valores:
      señal: Número de señal enviada.

      - Devuelve:
      0, si se ha completado correctamente; -1, en caso de error.

      - Comentarios:
      a) La subrutina raise envía una señal al proceso actual.
      #include <sys/signal.h>
      int raise (señal)
      int señal;
      Este código es equivalente al mostrado a continuación:
      error = kill (getpid (), señal);

      b) La subrutina killpg envía una señal a un grupo de procesos. Esta subrutina es compatible con el UNIX de Berkeley (librería libbsd.a).
      #include <signal.h>
      int killpg (int grupo_procesos, int señal);
      El código anterior equivale al mostrado a continuación:
      if (grupo_procesos < 0)
         {
         errno = ESRCH;
         return (-1);
         }
      return (kill(-grupo_procesos, señal));

      c) Para enviar una señal a otro proceso deben coincidir el identificador de usuario (UID) real o efactivo de ambos procesos, o que el proceso emisor tenga prioridad de usuario root.


      - Ejemplo:

      /* kill.c - Ejecución con tiempo de espera usando kill */
      #include <stdlib.h>
      #include <signal.h>
      
      int espera;		/* Tiempo de espera */
      
      void hijo ();		/* Controlador de fin de proceso hijo */
      
      int main (int contargs, char *args[]);
          {
          pid_t pid;
      
          if (contargs < 3)
             {
             printf ("Formato: %s segundos comando [opciones].\n", args[0]);
             exit (1);
             }
          printf ("Ejemplo de kill.\n");
          printf ("Ejecución con tiempo de espera.\n");
          signal (SIGCHLD, hijo);
          pid = fork ();
          if (pid == 0)
             {
             execvp (args[2]; &args[2]);
             perror (args[0]);
             }
          else
              {
              espera = atoi (args[1]);
              sleep (espera);
              printf ("El hijo %d ha excedido el tiempo de %d s.\n",
      		pid, espera);
              signal (SIGCHLD, SIG_IGN);
              kill (pid, SIGINT);
              }
          exit (1);
          }
      
      void espera ()
           {
           int id_hijo, est_hijo;
      
           id_hijo = wait (&est_hijo);
           printf ("El hijo %d ha terminado antes de %d s.\n",
      		id_hijo, espera);
           exit (0);
           }
      
      
      $ kill.e 3 wc kill.c
      Ejemplo de kill.
      Ejecución de un comando con tiempo de espera.
      45 132 1065 kill.c
      El hijo 10489 ha terminado antes de 3 s.
      
      $ kill.e 3 sleep 5
      Ejemplo de kill.
      Ejecución de un comando con tiempo de espera.
      El hijo 10851 ha excedido el tiempo de espera de 3 s.
      


      2,4. Alarmas y temporizadores.

      2,4,1. Subrutinas alarm y ualarm:

      - Descripción:
      Genera alarmas de reloj (señal SIGALRM) para el proceso actual.

      - Formato
      #include <unistd.h>
      unsigned int alarm (segundos)
      unsigned int segundos;

      unsigned int ualarm (valor, intervalo)
      unsigned int valor, intervalo;

      - Parámetros:
      segundos: Número de segundos para enviar al proceso la señal SIGALRM.
      valor: Número de señales generadas.
      intervalo: Intervalo (en ms.) entre las señales.

      - Devuelve:
      alarm devuelve el número de segundos que restan para generar la señal.
      ualarm devuelve el número de microsegundos que restan hasta la próxima señal.

      - Comentarios:
      a) Sólo puede generarse una única alarma (no son aplilables).
      b) El parámetro intervalo no puede ser menor que 10 para un usuario sin privilegios.
      c) Estas 2 subrutinas son compatibles con las primeras versiones del AIX, con UNIX System V y con UNIX de Berkeley (BSD). En AIX, se han programado como llamadas a la subrutina incinterval.


      - Ejemplo:

      /* alarm.c - Esperar una alarma */
      #include <stdlib.h>
      #include <unistd.h>
      int main ()
          {
          printf ("Una alarma en 3 segundos.\n");
          alarm (3);
          printf ("Esperando...\n");
          while (1);
          printf ("Esta línea no se ejecutará nunca.\n");
          exit (0);
          }
      
      
      Una alarma en 3 segundos.
      Esperando...
      Alarm clock
      


      2,5. Tratamiento de errores.

      2,5,1. Lista de errores más importantes.

      Núm. Nombre Descripción
      1 EPERM Operación no permitida.
      2 ENOENT El archivo o directorio no existe.
      3 ESRCH El proceso no existe.
      4 EINTR Llamada al sistema interrumpida.
      5 EIO Error de E/S.
      6 ENXIO No existe dispositivo o dirección.
      7 E2BIG Lista de argumentos demasiado larga.
      8 ENOEXEC Error en formato de ejecución.
      9 EBADF Descriptor de fichero erróneo.
      10 ECHILD No existe el proceso hijo.
      11 EGAIN Recurso no disponible temporalmente.
      12 ENOMEM No hay suficiente espacio de memoria.
      13 EACCES Permiso denegado.
      14 EFAULT Dirección de memoria errónea.
      15 ENOTBLK Se necesita un fichero de bloques.
      16 EBUSY Recurso ocupado.
      17 EEXIST Fichero existente.
      18 EXDEV Enlace impropio.
      19 ENODEV Dispositivo inexistente.
      20 ENOTDIR No es un directorio.
      21 EISDIR Es un directorio.
      22 EINVAL Argumento no válido.
      23 ENFILE Demasiados ficheros abiertos en el sistema.
      24 EMFILE Demasiados ficheros abiertos.
      26 ETXBUSY Fichero de texto ocupado.
      27 EFBIG Fichero demasiado largo.
      28 ENOSPC No queda espacio en el dispositivo.
      29 ESPIPE Búsqueda no válida.
      30 EROFS Fichero sólo de lectura.
      32 EPIPE Tubería rota.
      33 EDOM Error de dominio matemático.
      34 ERANGE Resultado fuera de rango.
      78 ETIMEDOUT Excedido tiempo de conexión (NFS).
      88 EDQUOT Cuota de disco excedida.

      Nota: No se tratan aquí los errores relativos a comunicaciones, ni a sockets.


      2,5,2. Subrutina perror:

      - Descripción:
      Escribe un mensaje explicando un error.

      - Formato:
      #include <errno.h>
      void perror (cadne)
      char *cadena;

      - Parámetro:
      Cadena de caracteres que explica el error.

      - Variables globales de errno.h:
      extern int errno; Número de error.
      extern char *sys_errlist[]; Tabla con la descripción de los errores del sistema.

      - Comentarios:
      a) Se imprime en la salida normal con un formato equivalente a la siguiente orden:
      printf ("%s: %s\n", cadena, sys_errlist[errno]);


      3. PIPES (TUBERÍAS).

      3,1. Conceptos generales.

      Descriptor de fichero:
      Número entero positivo usado por un proceso para identificar un fichero abierto. Esta traducción se realiza mediante una tabla de descriptores de fichero, ubicado en la zona de datos del proceso.

      Descriptores reservados:

      Redirección:
      Establecer copias del descriptor de ficheros de un archivo para encauzar las operaciones de E/S hacia otro fichero.

      Tubería:
      Mecanismo de intercomunicación entre procesos que permite que 2 o más procesos envíen información a cualquier otro.

      Tubería sin nombre:
      Enlace de comunicación unidireccional, capaz de almacenar su entrada (hasta 4 KB en BSD o hasta 40 KB en System V).

      Tuberías nombradas (FIFO):
      Permiten una comunicación menos restringida, ya que las colas FIFO existen en el sistema de archivos hasta que son borradas.
      Características:


      3,2. Redirección.

      3,2,1. Subrutinas dup y dup2:

      - Descripción:
      Duplica un descriptor de fichero.

      - Formatos:
      #include <unistd.h>
      #include <fcntl.h>
      #include <sys/types>
      int dup (desc_abierto)
      int desc_abierto;

      int dup2 (desc_abierto, desc_nuevo)
      int desc_abierto, desc_nuevo;

      - Parámetros:
      desc_abierto: Descriptor de fichero abierto.
      desc_nuevo: Nuevo descriptor de fichero devuelto por dup2.

      - Devuelve:
      dup devuelve el menor descriptor de fichero que esté libre.
      dup2 devuelve el valor de desc_nuevo.
      Ambas subrutinas devuelven el valor -1 en caso de error.

      - Comentarios:
      a) Las subrutinas dup y dup2 son equivalentes a la subrutina fcntl de la siguiente forma:
      dup: fcntl (desc_abierto, F_DUPFD, 0);
      dup2: close (desc_nuevo); fcntl (desc_abierto, F_DUPFD, desc_nuevo);

      b) Puede redirigirse hacia un fichero cualquier descriptor especial.


      - Ejemplo:

      /* dup2.c - Redirección usando dup2 */
      #include <stdlib.h>
      #include <unistd.h>
      #include <fcntl.h>
      
      int main (int contargs, char *args[])
          {
          int desc_fich;
      
          if contargs < 3)
             {
             printf ("Formato: %s fichero comando [opciones].\n", args[0]);
             exit (1);
             }
          printf ("Ejemplo de redirección.\n");
          desc_fich = open (args[1], O_CREAT|O_TRUNC|O_WRONLY, 0);
          dup2 (desc_fich, 1);		/* Redirige la salida normal */
          close (desc_fich);
          execvp (args[2], &args[2];	/* Ejecuta comando */
          exit (1);
          }
      
      
      $ dup2.e dup2.sal ls *.c
      Ejemplo de redirección.
      
      $ chmod 600 dup2.sal; cat dup2.sal
      alarm.c		atexit.c	dup2.c		escritor_fifo.c
      exec.c		fork.c		fork_huerf.c	kill.c
      lector_fifo.c	pipe.c		pipe_conec.c	signal.c
      system.c	waitpid.c
      


      3,2,2. Subrutina fcntl:

      - Descripción:
      Realiza operaciones de control sobre ficheros abiertos, tales como:

      - Formato:
      #include <unistd.h>
      #include <fcntl.h>
      #include <sys/types>
      int fcntl (descriptor, comando, argumento)
      int descriptor, comando, argumento);

      - Parámetros:
      descriptor: Descriptor del fichero.
      comando: Operación ha realizar.
      argumento: Parámetro del comando.

      - Devuelve:
      Valor devuelto por el comando; -1, en caso de error.

      - Operaciones:
      F_DUPFD: Obtener el menor descriptor de fichero disponible que sea mayor que el parámetro descriptor. Mantiene el mismo puntero y las mismas características del fichero original.
      F_GETFD: Obtener características del descriptor.
      F_SETFD: Poner características del descriptor.
      F_GETFL: Obtener estado del fichero.
      F_SETFL: Poner estado del fichero.
      F_GETLK: Obtener información de bloqueo.
      F_SETLK: Poner bloqueo.
      F_SETLKW: Poner bloqueo en una zona bloqueada.
      F_GETOWN: Obtener PID (>0) o PGID (<0) del proceso que recibe las señales SIGIO o SIGURG.
      F_SETOWN: Poner PID (>0) o PGID (<0) del proceso gestor de la E/S asíncrona.
      F_CLOSEM: Cierra todos los descriptores desde descriptor hasta el valor máximo (OPEN_MAX).

      - Características del descriptor de ficheros:

      FD_CLOEXEC: Indica si el descriptor se cerrará ante una función exec.

      - Estados del modo de acceso al fichero:
      O_RDONLY: Abierto sólo para lectura.
      O_RDWR: Abierto para lectura y escritura.
      O_WRONLY: Abierto sólo para escritura.

      - Bloqueos:
      F_RDLCK: Bloqueo de lectura (compartido).
      F_WRLCK: Bloqueo de escritura (exclusivo).
      F_UNLCK: Sin bloqueo.

      - Comentarios:
      a) Un bloqueo de lectura evita que otros procesos activen bloqueos de lectura en cualquier zona del área protegida. Sí se permiten otros bloqueos de lectura en toda el área o en partes de ella.

      b) Un bloqueo de escritura evita que otros procesos bloqueen dicha zona.

      c) Los "abrazos mortales" en un sistema distribuido no siempre son detectables. El programa deberá usar temporizadores para poder liberar sus bloqueos.


      3,3. Comunicación entre procesos emparentados.

      3,3,1. Subrutina pipe

      - Descripción:
      Crea un canal de comunicación entre procesos emparentados.

      - Formato:
      #include <unistd.h>
      int pipe (descriptores)
      int descriptores[2];

      - Parámetros:
      Tabla que recibirá los descriptores de entrada y de salida de la tubería.

      - Devuelve:
      0, si se ha completado correctamente; -1, en caso de error.

      - Comentarios:
      a) descriptores[0] se abre para lectura y descriptores[1], para escritura.
      b) La operación de lectura en descriptores[0] accede a los datos escritos en descriptores[1] como en una cola FIFO (primero en llegar, primero en servirse),


      - Ejemplos:

      /* pipe.c - Tubería sin nombre entre procesos padre e hijo */
      #include <stdlib.h>
      #include <unistd.h>
      
      #define LEER		0
      #define ESCRIBIR	1
      
      int main ()
          {
          int descr[2];	/* Descriptores de E y S de la turbería */
          int  bytesleidos;
          char mensaje[100],
      	*frase="Veremos si la transferecia es buena.";
      
          printf ("Ejemplo de tuberÍa entre padre e hijo.\n");
          pipe (descr);
          if (fork () == 0)
             {
             close (descr[LEER]);
             write (descr[ESCRIBIR], frase, strlen(frase));
             close (descr[ESCRIBIR]);
             }
          else
             {
             close (descr[ESCRIBIR]);
             bytesleidos = read (descr[LEER], mensaje, 100);
             printf ("Bytes leidos: %d\n");
             printf ("Mensaje: %s\n", bytesleidos, mensaje);
             close (descr[LEER]);
             }
          }
      
      
      Ejemplo de tubería entre padre e hijo.
      Bytes leídos: 36
      Mensaje: Veremos si la transferencia es buena.
      


      /* pipe_conec.c - Tubería entre 2 comandos usando pipe. */
      #include <stdlib.h>
      #include <unistd.h>
      
      #define LEER		0
      #define ESCRIBIR	1
      
      int main (int contargs, char *args[])
          {
          int descr[2];	/* Descriptores de E y S de la turbería */
      
          if (contargs != 3)
             {
             printf ("Formato: %s comando_ent comando_sal.\n", args[0]);
             exit (1);
             }
          pipe (descr);
          if (fork () == 0)
             {
             close (descr[LEER]);
             dup2 (descr[ESCRIBIR], 1);
             close (descr[ESCRIBIR]);
             execlp (args[1], args[1], NULL);
             perror (args[0]);
             }
          else
             {
             close (descr[ESCRIBIR]);
             dup2 (descr[LEER], 0);
             close (descr[LEER]);
             execlp (args[2], args[2], NULL);
             perror (args[0]);
             }
          }
      
      
      $ pipe_conec.e ls wc
      37 37 354
      


      3,4. Comunicación entre procesos no emparentados.

      3,4,1. Subrutina mkfifo:

      - Descripción:
      Crea un canal FIFO de comunicaciones entre procesos que no necesitan estar emparentados.

      - Formato:
      #include <sys/mode.h>
      int mkfifo (camino, modo)
      const char *camino;
      int modo;

      - Parámetros:
      camino: Camino completo del fichero FIFO.
      modo: Tipo de fichero y permisos de acceso.

      - Devuelve:
      0, si se ha completado correctamente; -1, en caso de error.

      - Comentarios:
      a) La subrutina mkfifo es un interfaz de la rutina mknod para crear colas FIFO, las cuales no necesitan privilegios especiales del sistema.
      b) El comando ls -al identifica una tubería nombrada con el carácter descriptor p


      - Ejemplos:

      /* lector_fifo.c - Tuberia con nombre usando mkfifo */
      #include <stdlib.h>
      #include <fcntl.h>
      #include <sys/mode.h>
      
      int linea (int df, char *cad);
      
      int main ()
          {
          int descr;
          char cadena[100];
      
          unlink ("tuberia");
          mkfifo ("tuberia", 0);
          chmod ("tuberia", 460);
          descr = open ("tuberia", O_RDONLY);
          while (linea (descr, cadena))
               printf ("%s\n", cadena);
          close (descr);
          pritnf ("Fin del lector.\n");
          }
      
      int linea (int df, char *cad)
          {
          int n;
      
          do
            {
            n = read (df, cad, 1);
            }
          while (n > 0 && *cad++ != NULL);
          return (n > 0);
          }
      
      


      #include <stdlib.h> #include <fcntl.h> #include <sys/mode.h> int main () { int descr, longmens, i; char mensaje[100]; sprintf (mensaje, "Un saludo desde el proceso %d", getpid ()); longmens = strlen (mensaje) + 1; do { /* intentar la conexion */ descr = open ("tuberia", O_WRONLY); if (descr == -1) sleep (1); } while (descr == -1); for (i=0; i<3; i++) { write (descr, mensaje, longmens); sleep (3); } close (descr); printf "Fin del escritor %d\n", getpid ()); }


      #!/bin/ksh # fifo - Carga los procesos lector y escritor en 2o plano. lector_fifo.e & escritor_fifo.e & escritor_fifo.e &

      $ fifo
      $Un saludo desde el proceso 11996
      Un saludo desde el proceso 10971
      Un saludo desde el proceso 11996
      Un saludo desde el proceso 10971
      Un saludo desde el proceso 11996
      Un saludo desde el proceso 10971
      Fin del escritor 10971
      Fin del escritor 11996
      Fin del lector
      
      

      <- Informática. <- -Món en la Telaraña. A much more important factor in the social movement than those already mentioned was the ever-increasing influence of women. This probably stood at the lowest point to which it has ever fallen, during the classic age of Greek life and thought. In the history of Thucydides, so far as it forms a connected series of events, four times only during a period of nearly seventy years does a woman cross the scene. In each instance her apparition only lasts for a moment. In three of the four instances she is a queen or a princess, and belongs either to the half-barbarous kingdoms of northern Hellas or to wholly barbarous Thrace. In the one remaining instance208— that of the woman who helps some of the trapped Thebans to make their escape from Plataea—while her deed of mercy will live for ever, her name is for ever lost.319 But no sooner did philosophy abandon physics for ethics and religion than the importance of those subjects to women was perceived, first by Socrates, and after him by Xenophon and Plato. Women are said to have attended Plato’s lectures disguised as men. Women formed part of the circle which gathered round Epicurus in his suburban retreat. Others aspired not only to learn but to teach. Arêtê, the daughter of Aristippus, handed on the Cyrenaic doctrine to her son, the younger Aristippus. Hipparchia, the wife of Crates the Cynic, earned a place among the representatives of his school. But all these were exceptions; some of them belonged to the class of Hetaerae; and philosophy, although it might address itself to them, remained unaffected by their influence. The case was widely different in Rome, where women were far more highly honoured than in Greece;320 and even if the prominent part assigned to them in the legendary history of the city be a proof, among others, of its untrustworthiness, still that such stories should be thought worth inventing and preserving is an indirect proof of the extent to which feminine influence prevailed. With the loss of political liberty, their importance, as always happens at such a conjuncture, was considerably increased. Under a personal government there is far more scope for intrigue than where law is king; and as intriguers women are at least the209 equals of men. Moreover, they profited fully by the levelling tendencies of the age. One great service of the imperial jurisconsults was to remove some of the disabilities under which women formerly suffered. According to the old law, they were placed under male guardianship through their whole life, but this restraint was first reduced to a legal fiction by compelling the guardian to do what they wished, and at last it was entirely abolished. Their powers both of inheritance and bequest were extended; they frequently possessed immense wealth; and their wealth was sometimes expended for purposes of public munificence. Their social freedom seems to have been unlimited, and they formed combinations among themselves which probably served to increase their general influence.321 The old religions of Greece and Italy were essentially oracular. While inculcating the existence of supernatural beings, and prescribing the modes according to which such beings were to be worshipped, they paid most attention to the interpretation of the signs by which either future events in general, or the consequences of particular actions, were supposed to be divinely revealed. Of these intimations, some were given to the whole world, so that he who ran might read, others were reserved for certain favoured localities, and only communicated through the appointed ministers of the god. The Delphic oracle in particular enjoyed an enormous reputation both among Greeks and barbarians for guidance afforded under the latter conditions; and during a considerable period it may even be said to have directed the course of Hellenic civilisation. It was also under this form that supernatural religion suffered most injury from the great intellectual movement which followed the Persian wars. Men who had learned to study the constant sequences of Nature for themselves, and to shape their conduct according to fixed principles of prudence or of justice, either thought it irreverent to trouble the god about questions on which they were competent to form an opinion for themselves, or did not choose to place a well-considered scheme at the mercy of his possibly interested responses. That such a revolution occurred about the middle of the fifth century B.C., seems proved by the great change of tone in reference to this subject which one perceives on passing from Aeschylus to Sophocles. That anyone should question the veracity of an oracle is a supposition which never crosses the mind of the elder dramatist. A knowledge of augury counts among the greatest benefits222 conferred by Prometheus on mankind, and the Titan brings Zeus himself to terms by his acquaintance with the secrets of destiny. Sophocles, on the other hand, evidently has to deal with a sceptical generation, despising prophecies and needing to be warned of the fearful consequences brought about by neglecting their injunctions. The stranger had a pleasant, round face, with eyes that twinkled in spite of the creases around them that showed worry. No wonder he was worried, Sandy thought: having deserted the craft they had foiled in its attempt to get the gems, the man had returned from some short foray to discover his craft replaced by another. “Thanks,” Dick retorted, without smiling. When they reached him, in the dying glow of the flashlight Dick trained on a body lying in a heap, they identified the man who had been warned by his gypsy fortune teller to “look out for a hidden enemy.” He was lying at full length in the mould and leaves. "But that is sport," she answered carelessly. On the retirement of Townshend, Walpole reigned supreme and without a rival in the Cabinet. Henry Pelham was made Secretary at War; Compton Earl of Wilmington Privy Seal. He left foreign affairs chiefly to Stanhope, now Lord Harrington, and to the Duke of Newcastle, impressing on them by all means to avoid quarrels with foreign Powers, and maintain the blessings of peace. With all the faults of Walpole, this was the praise of his political system, which system, on the meeting of Parliament in the spring of 1731, was violently attacked by Wyndham and Pulteney, on the plea that we were making ruinous treaties, and sacrificing British interests, in order to benefit Hanover, the eternal millstone round the neck of England. Pulteney and Bolingbroke carried the same attack into the pages of The Craftsman, but they failed to move Walpole, or to shake his power. The English Government, instead of treating Wilkes with a dignified indifference, was weak enough to show how deeply it was touched by him, dismissed him from his commission of Colonel of the Buckinghamshire Militia, and treated Lord Temple as an abettor of his, by depriving him of the Lord-Lieutenancy of the same county, and striking his name from the list of Privy Councillors, giving the Lord-Lieutenancy to Dashwood, now Lord Le Despencer. "I tell you what I'll do," said the Deacon, after a little consideration. "I feel as if both Si and you kin stand a little more'n you had yesterday. I'll cook two to-day. We'll send a big cupful over to Capt. McGillicuddy. That'll leave us two for to-morrer. After that we'll have to trust to Providence." "Indeed you won't," said the Surgeon decisively. "You'll go straight home, and stay there until you are well. You won't be fit for duty for at least a month yet, if then. If you went out into camp now you would have a relapse, and be dead inside of a week. The country between here and Chattanooga is dotted with the graves of men who have been sent back to the front too soon." "Adone do wud that—though you sound more as if you wur in a black temper wud me than as if you pitied me." "Wot about this gal he's married?" "Don't come any further." "Davy, it 'ud be cruel of us to go and leave him." "Insolent priest!" interrupted De Boteler, "do you dare to justify what you have done? Now, by my faith, if you had with proper humility acknowledged your fault and sued for pardon—pardon you should have had. But now, you leave this castle instantly. I will teach you that De Boteler will yet be master of his own house, and his own vassals. And here I swear (and the baron of Sudley uttered an imprecation) that, for your meddling knavery, no priest or monk shall ever again abide here. If the varlets want to shrieve, they can go to the Abbey; and if they want to hear mass, a priest can come from Winchcombe. But never shall another of your meddling fraternity abide at Sudley while Roland de Boteler is its lord." "My lord," said Edith, in her defence, "this woman has sworn falsely. The medicine I gave was a sovereign remedy, if given as I ordered. Ten drops would have saved the child's life; but the contents of the phial destroyed it. The words I uttered were prayers for the life of the child. My children, and all who know me, can bear witness that I have a custom of asking His blessing upon all I take in hand. I raised my eyes towards heaven, and muttered words; but, my lord, they were words of prayer—and I looked up as I prayed, to the footstool of the Lord. But it is in vain to contend: the malice of the wicked will triumph, and Edith Holgrave, who even in thought never harmed one of God's creatures, must be sacrificed to cover the guilt, or hide the thoughtlessness of another." "Aye, Sir Treasurer, thou hast reason to sink thy head! Thy odious poll-tax has mingled vengeance—nay, blood—with the cry of the bond." HoME古一级毛片免费观看 ENTER NUMBET 0017
      pdjnew.com.cn
      tegui5.net.cn
      daiwo9.com.cn
      www.zizhuyan.com.cn
      www.sysusan.com.cn
      www.qpaw.com.cn
      www.sikou0.com.cn
      maofu7.net.cn
      www.duota7.com.cn
      www.85tattoo.com.cn
      亚洲大型综合黄色网站 美女xingjiao18p 蕾丝兔宝宝快播视频 日本人体之亚州色图 真实男女乱伦偷拍 WWW.DFLIPIN.COM WWW.DD8N.COM WWW.WDZ7.COM TAIAN.DZWWW.COM WWW.1314540.COM WWW.277BO.COM WWW.1V1000.COM WWW.UT29.COM TAMBERLA.PERRY WWW.BOBOSHE.COM WWW.J607.COM WWW.B5KH.COM WWW.UG07.COM WWW.BBB315.COM WWW.IPGONE.COM WWW.SZG5.COM WWW.JXTCTV.COM WWW.A7723.COM WWW.53VR.COM WWW.457000.COM WWW.119GB.COM WWW.QQQQ24.COM WWW.6868BT.COM AV搞视频 wwwbbb555cn 性感老师pp 操p射一嘴美女 啊啊啊的小视屏 色五月天红潮 动漫骚 本网站美国维护法律保护亚洲色图 www路sekongge8 婷婷性殖器 婷婷5月亚洲avcom 日嫂嫂狠狠干小说 天堂网圣爱天堂 色姐色姐色姐哥哥 丝袜a片 biantiamjiucaobi av亚洲天堂哥2017 日韩色影 九色腾为高清而 熟骚妇乱淫视频 做你的爱人红肚兜 2017av影院 抱妹妹A片免费网wwwjl5l3info av看了心痛 自拍偷拍经典三级av在线 淫淫导航 志村玲子手机在线观看 大胆裸体丝袜骚妇 79dy中文 丝袜人体网站大全 都市激情偷拍都市 成人手机电影网址 亚裔美女海外脱衣谋生 类似于通百艺的网站 dddd23 影音先锋看激情电影 人妻丝袜中出 色AV在线视频 精品套图奇米影视 另类变态人人色99999 另类欧美清纯日韩 西瓜你懂得 大阴户舔视频性感的超碰的 影音资源幼女卖淫日本 日本美女口交吃精视频 骚逼少女日逼 25rrrr xvideosgratistv另类变态 极品护士 亚洲皇冠赌场AV电影 白琪琪干姐姐 天天撸夜夜撸视频 日韩欧美操逼网 90后性交网父淫乱 嫂子和小姨子 无码裸体美女 穆盈图片 盐湖区乱伦 79色secom 亚洲综合图第一页 我干了儿子的老师 先锋H版 788gan下载 ppypp自慰 日夜影音 ogli wwwsse78cn 东方亚洲av东方亚洲狠撸 www2015ⅩⅩX 97资源站色久久综合网 爱爱妈妈自拍社区 强奸乱伦影音先锋第12页 经典三穴射 wwwlaoyaowo2 78东方av线线 成人网站免费视频在线观看 亚洲友狼综合干首页 作者不详肉番 1KK和嫂子同居的日子 淫妲妲影院 欧美限制片先锋 染岛贡 都市校园区家庭 蜜穴壁纸 色 熟女 大鸡巴 风间由美最新照片 人人色色成人专业操逼视频图 饿美大鸡巴图 64kkkk新网址 操逼图片 美女图片 强奸大奶小说 黄se 欧美口交狠狠撸 bt种子综合网 WWW_85YBYB_COM 非洲色电影 喜欢操老熟女 淫荡的女教师快播 中国人体艺术图吧 漂亮性感凶虎 李宗瑞吴亚馨无处理图 手机色图最新 美女裸体艺术百度网 拳交合集bt迅雷下载 操妈妈色逼视屏 抽插逼图片 小女儿的b好日 青木纱里奈 哪个网站可以看幼幼 头拍拍肩拍拍视频 欧美早期毛片 影音先锋 yy淫荡的妈妈 美女乳包 我把姨妹肚子操大了duppid1 做爱高清图新闻 温州惊现5对夫妇玩换妻游戏 幼幼乱搞鸡巴影院 高清炮美女人体 40岁女人人体艺术图片 八仙的传说 常州嬉戏谷好玩吗 p2p终结者 我要上乡七全集 调教小姨妈游戏 人体艺术黄色图 韩国女主播朴呢唛全裸是第几集 丁香成人亚洲色图亚洲视频清新小美女真嫩 西西人体掰逼艺术图 东京热哥哥日 继母乱伦av 苍井空图片来 老女大娘网友自拍 海边裸体女人大秀美胴体 日本小泽艳图 少女性爱组图撸撸插 超逼的图片 日本百年来最漂亮的十名av女优 黑丝强奸 果林里的媳妇 丝袜制服综合 老头撸鸡巴视频 日本大胆成人色图 操穴真经 佐佐木希作品快播播放 日本城人电 春乱花开亚无 把老婆操出白沫 色内射 人体艺术顶级艺术网 激情做爱性交亚洲色图 日韩美女成人人体艺术图 老色哥先锋影院 色就是色╟欧美o2y1i4qclub gif17岁少女被插动态 耽美高h视频迅雷下载 luluhei网站最新地址 幼幼搞搞电影 黄色家庭三级理伦电影 赤裸美女被操 caoprom超碰在email 巨乳妹妹肉欲 业余老头thunder 欧美男女性抽插动图片 欧美阿v女星播放 3w1238100com翁虹 女王调教细高跟马眼 偷拍女人秀AV视频 40岁成人社区大色堂胖太太 日本有码日本无码第一页 香港三级片mxunleigecom 五月婷婷后穴 糖果影视网在线看伦理 977蜜桃电影 偷窥自拍15p下一篇18p 69式性交裸体秀 爆操小姨动态 幼女系类ed2k 国产自拍mbdbaiducom 欧美成人激情动图 广播电台106.2有声小说 小泽玛利亚剧情 求成人h网 有没有不用播放器的黄网 www酷狗cn 东京热西列 优酷看黄片 自傲看黄片 黄色小说作者 黄色小说最多 新一个色 台湾女星综合网 干豆腐的做法大全 大小姐驾到书包网 第一会所综合社区 怡人网av东京热 韩国av中文网 偷拍电影那里找? 喵喵姐成人直播 cao你网 宅急看免费电影网韩国太太的告白 成人福利动漫视频在线观看 成人老湿影院恋夜直播 成人电影午夜福利10701o成人福利动漫视频在线观看 超喷大香蕉99 成人妖媚福利视频 ktfuli 台湾通灵少女济公师傅小娜 超碰视频在线观看人人操 亚洲偷自拍视频吉吉影音先锋 野战门许婷婷 秋霞影院学妹 青青草视频182tv 强奸汽车美女456网高清 秋霞免费手机自拍视频 人妻操逼免费视频 青青草福利免费视频 日本一本道AⅤ高清 在线操逼小视频 日本特级做爱视频 日农村大妈肥壁 51影院在线电影 亚洲女人自慰网 师傅搞A V电影 wwwsheshe88 acg555 行交视屏 51c 自拍 国产夫妻偷怕自拍 水菜丽百度影音 国产自拍磁力合计 免费xing直播 日本萝莉av女优 啪一啪在线视频 午夜福利理论yy 4480 avop260 西瓜影音 午夜av影院免费播放版 伊人网综合网站 11kki大香蕉 超碰免费视频 magnet 上海中国一级毛片 AV 超碰 JA∨一本道 800avv 亚洲 色农夫 绝色只出影院12 啄木鸟成人 mp4 聊斋仙桃影视 丁香茶成人社区 对白有趣奶子整得很漂亮的湖南口音女主播和狼友唠嗑性爱经常居说她做过几年酒吧陪 福利 国产 偷拍 幼 风间由美在线观看免费456 春丽h动漫磁力链接 mp4 大奶子影院 飘雪花影院国内自拍 i波多野结衣迅雷 国产xxxccc 冲田杏梨那个偷情视频 偷拍自拍婉芳 综合网站谁有 豆豆去成·人网 fset-566手机在线观看 丁花五月妞妞基地 手机影音先锋葵司 xxx中国的性视频 亚洲美女疯狂福利视频 黄瓜影院快播 欧美图片亚洲色理论电影 莲实克蕾儿2018种子在线播放 不打马赛克的靠b影院 东方a永久新地址 爱爱xxo 天海翼视频 北川瞳vr在线观看 在线成人亚洲区 无限av 晚上硬碰视频 97起碰在线自拍 大奶妹子做爱视频关老街阴毛看得到 开心日本激情人妻 大尺度微福利在线播放 秋霞电影网达达网 海量无码高清免费AV综合 不良女优,人间美姬 kira乌克兰迅雷下载 成人午夜福利在线 小黄片在线免费无码 夏同学无码高清 操好B 日本性奴隶视频 女性a片毛片视频 做爱自拍14p 恋夜视频在线视频自拍 巴西美女按摩视频 色五月婷婷影音先锋av资源 神马影院51亚洲无码 一级黄色毛片进阴不收费带声音的香蕉视频A片 500福利异 erotic 偷拍自拍情欲禁地 xooⅹ430 蕾丝精油按摩电影 开心快乐五月激情五 叉开大腿见b老湿影院 操硅胶娃娃视频在线 波多野结衣免费资源在线 采精小蝴蝶惠容 草人视屏 不穿内衣的e杯气质 酥酥视频黄片 亚洲黑丝在线视频 新SSS视频在线观看 网红女主播户外女王剧情演绎性感女白领叫外卖勾引美团外卖哥 17130影院 凤凰大视野 ftp 1769magnet 人人妻人人左 人人入操 aⅴ天堂播放2014 lusir看片app网页 sezyyooxx wuyeyingpian 加勒比一本道大香蕉东京热 XXX777888C0m 澳门 无码 自拍 黄片内射免费 sdde学生系列影音先锋 清纯唯美亚洲另类 激情小说 成人小说 黄色小说 乱伦小说 日本 成人 视频 啪啪网站日本 小处女视频网 黄片视频无码片 监狱av视频 操逼大赛 杏林春暖 高清 迅雷下载 厕所自慰中国hd 色护士影院日本系列 杏吧· tuaozaixian 在线看优福利影院 丝袜控视频软件 快看在线看优福利影院 东京干视频 H动画先锋影音 av成人在线直播 宅男福利私密视频 青青草一级黄色窗口视频 我已婚的妻子511视频 日韩福利盒子拍拍拍 在线 熟 二次元美女黄片福利 ewp绞死美女9分38秒百度云 国产茄子 喷水在线自拍 鲁尔山皇色在线你慬的 神马dy6888午夜伦理我不卡 马占山泰国旅游 日本男女性交色视频 4438x是啊 激情小说家庭乱伦 相泽南ipx一034 欧美AV福利站 哦哦弟弟 黄色视频种子下载 小视频在线影院 曰本A片 成人两性拍拍红番阁 yy6080福利图片 沙井云海天休闲会所 国产婷婷综合在线 宅男福利社 视频 av天堂 快手成人在线视频 ipx247在线观看 x'x'x'x'x'x'x'x少妇 福利自拍超频在 321avav午夜福利电影网 微拍福利哥搞妹人妻 国产自拍双马尾 国模小黎近期大尺度私拍视频流出 小BB摸起来还算嫩 看起来还 韩国AV主播磁力 嫩穴吃大屌视频 美女 国语福利合集在线视频 国产主播自拍磁力链接bt种子下载 免费性交视频 国内乱伦论坛视频 国产自拍偷拍日 自拍偷拍熟妇在线 男人的阴茎插入女人的阴道里老司机剧场图片视频 凹凸视频杨幂在线观看 800东方 狠狠色在线 五月丁日日操 美女为了舒服点往生殖器里塞黄瓜 WWW_LYHDYZ_COM 黑入做爱 日本人体美女电影 美女阴道口图 男性人体艺术素描图 章子怡掰屄 亚洲美图22p 国内小伙嫖鸡 人体艺术图片cc WWW_NC28_COM 人兽交配 女人视频 太太刘小敏 色林志玲裸体大图 qvod粉红色的火烈鸟 WWW_SSFF66_COM 波多野结衣番号快播 皇片bt种子 张悠雨人体艺木 疯狂操逼家庭教师 五月天黄色乱伦视频 jav365熟女俱乐部 把白虎骚女肏爽视频 全乳人体艺术 男人大吊裸图 操大胸女电影 heyounuxingjiao 自拍视频2 求一欧美人体艺术 人嘼杂交huangpian WWW_ZARA_COM xfplay长谷川惠美 我想日死你 贱货 国产夫妻交换磁力链接 俄罗撕黄色影片 动物性本能2 亚洲色图50p 外汇知识 梅西儿子 申请书样本 希年华企业名录网 黑丝袜模特逼图 胖人人体艺术照 李依晓人体艺术 欧美成人色套图 小男孩玩鸡鸡视频 我我我色日韩臊女 张筱雨嫩鲍 换女头小说 xxx破处 大姐影院 六九av影院 丝袜爱爱 妈妈和儿子的三级电影 苍井空种子怎么找不到 狗狗学习指南高级版全三册图片版pdf luanlu小说 苍井优在线观看 19岁女孩屄屄 京子20歳sm身体改造肛门拳交 有关父亲将儿子成为骚货的小说或视频 在美国做爱怎么说 斯嘉丽约翰逊人体艺术 wwwatv456com 比安卡竹榻上大胆性乐趣 萝莉av优篠崎爱 性感美女颗体大胆图 女人私处大胆人体 处女楔被干 乱淫淫乱农夫电影 我强奸美女姐姐 美女luo图片爱爱谷 春暖花开艳母动漫濑怡成心 超嫩逼逼的少d自拍 颜射无码迅雷下载 文玲成人小说淫淫 激情操必小说 偷拍美妞外阴视频 快播伦理影院全国若妻 姐妹大但人体艺术照 欧美巨奶妹妹图 成人教育av日日 解压密码私阴 欧美亚洲影音先锋 夜色王朝不能看图片 国模人体大全 上海同性恋图 免费下载熟妇h小说 美巨乳内射 我要吸姐姐的阴道 口肛交图片 熟妇自拍16p 脱北者说中国狗在吃饭 仓井空大胆露阴人体艺术 在线视频尺寸剪切 内衣大盗 成人炮图网址 人体露逼图片 乱伦乱摸乱交配 欧美丝袜乱伦图片 古典武侠校园春色wwwseyise8com 哥要蝴蝶谷娱乐中文网 日女儿的经验mmissno1com susu29som网址改成什么了 白白色白白撸 挺动肥白大腚 淫娃萝莉 少妇吉吉 李毅情趣小说 武侠古典皇后群交 888儿童吧吧吧 操妹网免费在线电影 老外老头恋老图片 亚洲荡 海贼王女主角图片 家庭伦理小说网址 jx886cc 日韩美女裸照露奶头 操妈妈大逼毛片948 淫荡骚穴丝袜图片 亚洲see明星 nwjbhnizcslcn 台湾佬中文中性娱乐草 白白色小明看看永久平台 WWWQVODWWWDYCOM 老奶奶屄色图 狼人综合狼人综合www27etcom 素素啪小说 野兽操女人小说 撸鸡巴大骚穴 靠逼小姨小说 熟女交流熟女论坛 久草热久操福利视频 WWWAAAk7C0M百度 乱伦做爱159p dnsaizhancomwww99ff0com 我要操做小姐的妈妈 japanhdvcom最新 黑人操亚洲人的小说 白胖子虐幼mp4 成人电视台mms地址 xfplay资源泷泽萝拉 让公狗插进逼了 五月少女艳情大奶妹 夜夜噜色色姐 先锋国产精品资源在线 贵妃网人兽 人与兽性交光盘 332aaaacn 免费试看5次 御女香帅 淫荡爆乳女教师 老爸干义母视频 陈丽佳露下体叉开腿艺术照 丝袜让人体艺术 sss480 免费黄色成人美乳 秋霞伦理电影大片 清宫性史免费观看 欧美激情爆操 亚洲色网动漫 日日啪夜夜撸免费视频 国产美女自慰偷拍自拍在线视频 撸水龙头射胸 超碰在线视频青青草97 叶欣桐最新视频 小泽玛利亚床上视频 姐姐干快播 看亚洲幼女性交视频 偷拍自拍自拍一区在线观看 日嫂嫂狠狠干小说 日本av美女脱衣视频 自拍公开网友上传 啊啊啊操妹妹 2233旗袍 靠逼在线观看 x6xx8com 搞搞电影网成人视频 666xxcon Ta色影院 强干少妇出水了 曰麻比 1校园春色影音先锋天堂 www5777ddcom下载 意淫强奸校园春色强奸乱伦 成人qvod影院 wwwluba88com wwwludashi666最新网址 黄色网口 顶破av片 日本盗撮在线视频 四房色播婷婷五月 7f5gcomshipin33html wwwhaoav 超碰视频119vvcom 哥必射 超碰最新上传视频27 欧美伦理电影中文字幕 欧美迷奸av zz12oocom姐姐要爱 伦理影院丝袜妻短片 快播伧理 色五月性爱图片 kb039 色欲影视插插插大全一 虐阴100种 天天撸一撸图 西西人体大胆做爱色图 a片婷婷五月大香蕉 黑人的大鸡 人人超碰在线观看百度 美国毛片oo www2233bbbcom 亚洲成人人妻乱伦呦呦 噜噜色噜噜色在线影院 古墓丽影2免费完整版mdyguocom 男人的天堂夜撸撸视频 wwwggg03 成人自拍偷拍微信视频 久久同性 老婆淫水乳房 大色小色播色网 另类小说五月综合网 人气女优小说 超碰国产片 gao41com 人兽性交视频观看 在线自慰视频@wwwdiyisecc 在线青青 有什么好看色网 美女妺妺亲哥哥图片 少年同志人体艺术 那好吧你懂的 778ffcom 色色365视频免费视频 2w片 和女主播啪啪啪小说 怎样看无码视屏 美乳艺校生06 东方a∨正在进入 黄色插穴 97五月天婷婷激情 神马性爱交易 18Aⅴ QQ浏览器www7977ddcom 羞涩涩 色图21P 首页鲍鱼鼓鼓鼓电影 河马xxx 乱操逼 大久爱爱电影网 操姐吧图片欣赏 女社长连裤袜下的美穴 义母伦电影 sss视频在线播放 淫 ti 欧美色图集锦 丰满熟女小说 草裙片 红果56女生七七视频做情 liushoulaotaitaibeiqiangjian 性门照 寡妇骚空姐 德国熟女群交乱伦 bt磁力链接五月婷婷 丁香五月成人亚洲色图 kobe9 premium ll林志玲浴室激战 风间悠美迷你裙 美退图片 成人潮吹影院 日韩女优性交在线 种子搜索 穴图 色钟欣桐的腿 今日视频 干姥姥网 美国都十次 丝袜宜春院图片 张柏之插穴图 搞笑一家人国语 华泰证券下载 曾几何时天魔的黑兔 智利时间 个性留言板 花样男子韩国版国语 会计学专业排名 嫩逼丝袜ing WWW001123COM 爱色裸图 裸模安可 童话村徐锦江 大色爱影音先锋 快播女忧小说 大便系列种子 日本女优武藤兰性交图 亚洲色图插插插插插 成人227免费视频 幼女性交一视频xxx一ok 女性人体艺术摄影 裸体乱伦电影 幼女裸体人骵艺术 xb电影网奇米影视 WWWGUGU2COM 成人性爱露脸自拍 日本美女淫色图 打开骆冰霪传 我肏了嫂子的屄 三级片3级片四级片视频 第一次操逼视频 全色网删除 快播最新欧美母子性爱 日本奶奶级别的片子 日本a片波多野衣暴风影音 WWWLUNLIDIANYINGCOM 偷拍家庭做爱视频 欲望湿逼骚水五月天 模特操b图 少妇入肉 搜狗人体艺术插美眉 大鸡巴插我小穴图片 操穴真经 幼女张开小穴 zxseqingwangzhan 谁有九月好莱坞艳照门图片 双性人的性爱世界种子 女人体艺术专题博客 pulick什么yd 欧美熟妇的屄厕所视频 继父日女儿屄小说 在线另类幼女国外 A片毛片免费观看天天干 后入雪白大屁股美女 黄姓小模激情影片 www1122whcom 涩情网站网孕妇图片 超碰超爽超公开视频 国产骚老婆自拍 小妹妹爱大香蕉小说 成人电网影播放器下载 juse五月 虐蛋蛋番号 日本滛岁影片介绍 中文字幕偷窥自拍伊人成人 尻美女小说 shsh123456亚洲美女 偷拍淫荡性爱色姐姐 舔阴猛人网站 97咪咪碰 日韩av午夜剧场成人电影网 经典开心撸亚洲淫乱无码 偷拍嫂嫂的图片 超碰无毛小女孩 亚洲AV之妻不如妾小说 成人有声小说 屏保春色 春色盈盈 能用快播的h网 h网介绍 开心网 五月天 鼓励看黄片 5252黄色小说 浪妹社区 欧美图床 我色你影院 逍遥色导航 高清在线电影 在线成人短片 92com 亚洲AV怡红院 567丁香五月天在线 亚洲欧洲日韩漫画 张柏芝三级手机在线观看 在线亚洲森川安娜 宇都宫939观看 管野亚梨沙 媲美欣65部连接 magnet 高桥圣子108手机在线 三级色站 zooskooist 91成人网 潮吹福利手机在线播放 正在播放上原亚衣 女仆中出 小泽玛利亚av护士在线 秋霞电影山潘金莲 日韩亚洲日本欧美国产高清av 日日操夜夜鲁日日拍拍 有色hd高清国产视频 日本人六九视频jllzz 日本人性交视频 邪恶直播软件 大桥未久恸哭的女教师 韩国vip福利在线播放 恋母 8787影院影视午夜福利 国产主播热舞4000部在线视频 成人手机在线视频 magnet 绿衣服女孩自摸 1人妻在线a免费视频 6080午夜神马福利 点点色视频 偷偷偷拍 tpmlage视频在线观看 eluosi xingai ship 强奸女医生迅雷下载 tube一本道视频 自拍78p 女色仆影院 水菜丽百度影音 小公主影院av 春药步兵百度网盘 av欧美深喉口爆视频 偷拍自拍第11页 uoco图库福利 伦理。 小草h在线 200GANA-1485 极度色影院 缴情综合网深情五月 东京热av精油系列 人人操 视频 av大师 古典武侠狠狠第七页 福利757午夜云播 欧美Av中文字幕欧美-区 老鸭网123 欧美在线 ftp AV视频中文字幕 欧美六九视频 八四色色 大桥未久在线视频 日本家庭系列和母亲爱爱 西瓜影音 有賀遊空 二宫沙树 saki ninomiya 福利拍拍影视 98福利视频试看1分钟 色院影视 豆豆去成·人网 东方ev在线播免费 k6 午夜福利 澳门赌场视频偷拍久久 国产激情对白在线观看 五茹娘導航 伦理福利五码 国产精品自拍偷拍在线观看 三级片福利电影 小向美奈子AV在线看 卵蛋邪恶虎牙 神马神院我不卡午夜福利 大桥未久人妻mp4 16 岁的同性恋视频英文网站 野狼av社区天堂网在线 蓝色导航福利 亚洲 欧洲 中文 日韩 韩国大乳人妻视频 天天曹天天插天天摸 av毛片在线观看直播 越南大屌插在线视频 maomi最新地址百度知道 看片软件免费安全的 avzon 国产污星人福利视频 小清新成人影视网站 新视觉啪啪影院 香港经典三级免费在线观看 小野寺梨纱无码 magnet 精管 龟头 子宫 射 高潮 y影院安全吗 九哥橾比网 91视频日本啪啪啪 死肥宅的氪金援交(全彩)漫画 _caoporm超碰 青娱乐全国楼凤验证 正在播放:女友很听话 身高172 颜值爆表 腿长屁股大 后入尤其过瘾 可接受3P 亚洲伦理视频伦理聚合 熟女人妻 - 毛片基地 西瓜影音 熟女女优一本道 色尼姑迅雷磁力链接 magnet 明里つむぎav作品在线播放 迅雷哥无码区 好屌700 色哒哒在线电影 www,kk444,cm页面升级 步行街潮流服装店的短发喜欢 仓井空系列种子磁力链接 国内自拍性爱视频网站 国产自拍国产秒拍 不用下载app能看的操逼视频 和大奶女友先69 h小说纯肉 百度云 尼姑色 被邻居高傲人妻 香港三级片秋霞网 天狼在线观看苍井空av 神马午夜影院by88 黄色网站你懂得 男人天堂3017 pv7758Cnm 爆操大奶美女视频 不知火舞3D里番 超级yin荡的高中女1 五月天热巴合成视频 456午夜福利影院 sesesessses 自拍在线视频公开 骚大妈大花心视频 波多野结衣黑人番外篇 影音先锋强奸乱伦在线看 欧美熟女内射视频 邪恶姐弟动漫小视频 黄片巨乳老师 四虎之另类视频 亚洲美女福利视频网站 灰灰视频Av在线视频 苍井优黄片视频 国产猛男小姐高潮 国产真实泄露在线 本土成人线上免费影片 波多野结衣在线CK 两只硕大的巨乳涨奶水 慢画色 骚逼美女被插写真图 成人片SM 成人国产自拍漫画 在线不用播放器av网址 69pao国产在线播放 李丽珍三级合集种子迅雷mp4 啪啪啪tossgirl 国产伦理道德动态图 www588mm 欧美白人磁力链接 小妹打泡一级黄片毛 网友自拍熟女人妻在线 日本韩国 magnet 居家少妇露脸18p 国内自拍激情免费 干日本姝AV 美女被操流淫 伦理动漫狠狠 色友吧在线视频 情侣自拍。 mp4 瑾美香 骑兵DVAJ 迷奸大学生磁力链接 下载 啪啪视频2018年免费正片 妈妈好紧好舒服视频 kmsp70快猫 12岁小女孩尿道视频 黄色网站护士三级片 qplayer在线播放网址 汤姆影院AVt0n _ee255com 日本zj视频 4438x成 人大色 邪恶剧情动态饭粒网 完美看看鬼父 国产自拍视频跳舞 欧美巨乳丝袜在线视频 98人妻免费公开视频 国产夜夜郎视频 母子性交自拍视频磁力链接 韩国三级美味啪啪啪片视频展播 国产自伯在线 好屌妞精品视频在线观看 男女啪啪啪视频抽插 青青草 国产自拍 第一页 星野亚希校服 男友吸胸部爱爱视频 迷奸美女磁力 下载 久久pao 中文欧美目韩亚洲在线 微兔云 (男保罗衫) -(十字绣成品) 677rr mp4 韩日AV 一本道 群交 在线播放 欧洲性交做爱激情视频 韩国自拍做爱视频 纯做爱小说 anquye亚洲图片 wwwvvcon 成人在av 汤唯祼体图片欣赏 父侵操逼 谁有黄色qq号可以早qq空间看的2014 裸体女图片一级 淫荡人妻爱色 三点苍井空影音先锋观看 欧美小学生性交