Inteligencias múltiples

--Originally published at Luis Santana's Blog

Con este tema aprendí que hay varios tipos de inteligencias, que no solo sacar buenas calificaciones en la escuela es sinónimo de inteligencia, sino que existen diferentes áreas en las que una persona puede destacar, no solo por el hecho de que no tenga excelentes notas escolares significa que sea tonto, sino que puede ser inteligente en diferentes ámbitos de su vida. Me di cuenta que yo poseo la inteligencia musical y la intrapersonal.

 

51CzFXRpKYL._SX320_BO1,204,203,200_.jpg

Reto de bienestar integral

--Originally published at Luis Santana's Blog

Este semestre trabajé en un proyecto de investigación aeroespacial, me permitió desarrollar de mejor manera mis habilidades de liderazgo, me permitió también trabajar con mi resiliencia, ya que al principio estuvimos trabajando bien pero al final tuvimos problemas con los demás miembros del equipo. Aprendí a no dejarme afectar por las actitudes de los demás.

 

WhatsApp Image 2018-03-13 at 6.23.51 PM

Flow

--Originally published at Luis Santana's Blog

En este trabajo me di cuenta que los pasatiempos son una manera efectiva de distraer su mente, de despejarse de cierta manera. Mis pasatiempos pueden hacerme sentir bien después de un largo día o cuando estoy muy estresado. Una media hora de un pasatiempo puede impulsarte para seguir trabajando. Imagen2

Guías de estudio

--Originally published at Luis Santana's Blog

Estas guías han sido realmente de utilidad para estudiar para mis materias más difíciles, principalmente Matemáticas III y Ecuaciones Diferenciales. En estas guías practico ejercicios que le pedí a mi profesor, ejercicios que son parecidos a los que vienen en el examen, me ha tocado inclusive que vengan algunos ejercicios iguales en el examen. 20180501_12555520180501_125602

Autoestima

--Originally published at Luis Santana's Blog

Este trabajo me permitió darme cuenta de los pilares de la autoestima, según Nathaniel Branden, me hizo reflexionar de lo que tengo que modificar para logar tener una autoestima estable y sólida, antes de este tema tenía un concepto un tanto diferente de autoestima y considero que es bueno expandir los conocimientos que uno tiene sobre algo porque pueden estar equivocados.

Imagen1

 

Conclusión del curso

--Originally published at Luis Santana's Blog

Honestamente, al principio dudaba de este curso, pensaba que era como las materias de relleno que llevaba en preparatoria, pero conforme fue pasando el curso me di cuenta que en realidad aprendíamos cosas útiles para aplicarlas en nuestra vida estudiantil y en nuestra vida personal, aprendí a organizarme, aprendí cuales eran las manera que se me facilita aprender, aprendí sobre los diferentes tipos de inteligencias que existen, este curso me permitió desempeñarme de mejor manera en la escuela y mis calificaciones subieron.

Chapter unknown

--Originally published at Programming Blog

Day 3:
Good way to start this blog, not by the very beginning but by the part where i needed something to corroborate with random people (or just none, reading this). In this blog I will only write about my issues with anything inside my life, for example: My ex right now, she drives me crazy, we spoke 2 days ago and i don’t know how should I take that talking (I was the one to take the chance and talk face to face), i still have feeling for her, and I don’t really know if she has feelings for me, I know I should go looking for an answer, but right now I don’t have the guts to do it, by the simple decision that i’m still not ready to accept a no, maybe it’s just me pressuring stuff, but I’m really liking this part, where I have no clue what she is thinking and speak by anything and just have a normal conversation like we used to have when we were a couple, we lasted over a year.
Most of my friends have told me to move on, and i believe i did move on, i learned my mistakes and learn to really appreciate what she was doing for me unconsiously, but thats because my lame past have tormented me with this, the reason of breaking up  i don’t have it, i guess we just made it toxic and start to push ourself to the crazy part, me ignoring her, she ignoring me (both feeling like crap), and in the end we just couldn’t, maybe I will let this part for other ocasion, but for now this is day 3. Although I’m not really sure if i will type every day, only every day meaningful worthy of typing, Continue reading "Chapter unknown"

C#

--Originally published at Sierra's Blog


CLASS 1

//se ejecuta una vez al iniciar el gameobject

//no se sabe el orden de ejecución

void Awake(){

}

 

//se ejecuta después de todos los awake

//úsalo para inicialización

void Start(){

}

 

//se ejecuta una vez por frame

//pon aquí entradas de usuario y movimiento

void Update(){

}

 

void LateUpdate(){

}

 

//corre en un framerate fijo

void FixedUpdate(){

}


Class2 Collisions

// reference to other components
// all components have a corresponding class
private Transform t;
// atributos públicos
// primitivos y clases de unity pueden ser modificadas desde editor
public float velocidad;

//public GameObject go;
public Text text;

private Vector3 pos;

// Use this for initialization
void Start () {

// this can return null!!!! 
// whenever you do this do it the least times possible
t = GetComponent<Transform> ();

// go = GameObject.Find (“Text”);
// text = go.GetComponent<Text> ();
text.text = “HOLA, SÍ JALÓ”;
pos = transform.position;
}

// Update is called once per frame
void Update () {

//t.Translate (0.01f, 0, 0);
// first issue – speed 
// Time.deltaTime – keeps track of how much time passed since last frames

// input – 2 ways to catch input
// – directly pole from device
if(Input.GetKeyDown(KeyCode.A)){
//print (“KEY DOWN!”);
}

if (Input.GetKey (KeyCode.A)) {
//print (“JUST KEY.”);
}

if (Input.GetKeyUp (KeyCode.A)) {
//print (“KEY RELEASED!”);
}

if (Input.GetMouseButtonDown (0)) {
print (Input.mousePosition);
}

// – through axes (plural of axis)
float h = Input.GetAxis(“Horizontal”);
float v = Input.GetAxis (“Vertical”);
//print (h);

transform.Translate (h * velocidad * Time.deltaTime, v * velocidad * Time.deltaTime, 0, Space.World);
}

void OnCollisionEnter(Collision c){
print (c.contacts [0].point);
print (c.gameObject.transform.name);

}

void OnCollisionStay(Collision c){
//print (“stay”);
}

void OnCollisionExit(Collision c){
print(“exit”);
}

void OnTriggerEnter(Collider c){
print (“ENTER”);
Destroy (c.gameObject);
transform.position = pos;
}

void OnTriggerStay(Collider c){

}

void OnTriggerExit(Collider c){

}


Class 3 Physics

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class Brick : MonoBehaviour {

private Rigidbody rb;

// Use this for initialization
void Start () {

rb = GetComponent<Rigidbody> ();
Invoke (“Explotar”, 2);
}

// Update is called once per frame
void Update () {

}

void Explotar () {

rb.AddExplosionForce (2000, Vector3.zero, 10);
print (“si jala”);
}
}

 

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class Bullet : MonoBehaviour {

// retrieving a reference to a component
private Rigidbody rb;

// Use this for initialization
void Start () {

// this can always return null
rb = GetComponent<Rigidbody> ();

// -20
rb.AddForce (100 * transform.up, ForceMode.Impulse);
Destroy (gameObject, 3);
}

// Update is called once per frame
void Update () {

}
}

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class Cannon : MonoBehaviour {

public GameObject originalBullet;
public Transform punta;

// Use this for initialization
void Start () {
StartCoroutine (EjemploDeCorutina ());
}

// Update is called once per frame
void Update () {

float h = Input.GetAxis (“Horizontal”);

transform.Translate (0, 0, h * Time.deltaTime * 5);

if(Input.GetKeyUp(KeyCode.Space)){

// do the shooting.
// instantiate – clone an object
// we need a reference to the original
//Instantiate(originalBullet);
// rotation – Quaternion – vector de 4 valores, expresa rotacion en un espacio tridimensional
Instantiate(originalBullet, punta.position, transform.rotation);
}
}

// coroutine – NO es concurrencia (pero parece!)
// pseudohilos
IEnumerator EjemploDeCorutina(){

while (true) {
yield return new WaitForSeconds (0.1f);
print (“hola”);
Instantiate(originalBullet, punta.position, transform.rotation);
}
}
}


 

Class4 KEN SPRITES

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class Hadouken : MonoBehaviour {

// Use this for initialization
void Start () {

}

// Update is called once per frame
void Update () {
transform.Translate (-7 * Time.deltaTime, 0, 0, Space.World);
}
}

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class Ken : MonoBehaviour {

public GameObject hadouken;
public Transform referencia;

private Animator a;
private float jAnterior;

// Use this for initialization
void Start () {
a = GetComponent<Animator> ();
jAnterior = 0;
}

// Update is called once per frame
void Update () {
float h = Input. Continue reading "C#"

Jisho para tu, jisho para mua

--Originally published at 101 For Tec

Jisho 辞書, es la palabra japonesa para diccionario tranquilos, hoy no hablaré de cosas otakus…Hoy vengo a hablarles de los diccionarios en Python.

Un diccionario es similar a lo que en Java llamamos array, la diferencia radica en que podemos personalizar las keys  que son las posiciones, es decir los nombres de las keys no están limitadas a números, sino que puedes personalizarlas y ponerles el nombre que desees.

La segunda cosa son los niveles, no hay límite, es decir que puedes seguir y seguir guardando información en una key; ahora, ¿qué puedo guardar en una key? Puedes guardar lo que desees, inclusive objetos.

Ahora el formato, los diccionarios se ponen entre llaves ‘{}’ y para una posición específica de un diccionario se pone nombre[posición]

Aquí hay un ejemplo que Angel compartió en su blog

dictionary

Referencias:

http://www.tutorialspoint.com/python3/python_variable_types.htmhttps://angelmendozas.wordpress.com/2016/08/30/python-basic-types/


I can read your mind

--Originally published at 101 For Tec

Reading files sounds very complicated, but is very easy an this GIF explains it very well

Reading-Text-File-Animation-s

And…what about if I want to make a list out of a bunch of words separated by a comma or semi-colon, well we have a GIF for explaining this, here you will use the split() method.

Reading-CSV-File-Animation-s

Here we have an example from our friends of 101Computing

The code below realizes 5 main steps:

  1. Step 1: Open the text file using the open() function. This function takes two parameters: The name of the file (e.g. “playlist.txt”) and the access mode. In our case we are opening the file in read-only mode: “r”.
  2. Read through the file one line at a time using a for loop.
  3. Split the line into an array. This is because in this file each value is separated with a semi-column. By splitting the line we can then easily access each value (field) individually.
  4. Output the content of each field using the print method.
  5. Once the for loop is completed, close the file using the close() method.

https://www.trinket.io/embed/python/2d1f14806c

Here we have the “modes” available for open() 

Mode Description
r Opens a file in read only mode. This is the default mode.
r+ Opens a file for both reading and writing.
w Opens a file for writing only. Overwrites the file if the file exists. If the file does not exist yet, it will create the new file for writing.
w+ Opens a file for both writing and reading. Overwrites the file if the file exists. If the file does not exist yet, it will create the new file for writing.
a Opens a file for appending. The file pointer is at the end of the file. So new data will be added at the end of the file.
Continue reading "I can read your mind"