diff options
| -rw-r--r-- | pt-br/amd-pt.html.markdown | 2 | ||||
| -rw-r--r-- | pt-br/asciidoc-pt.html.markdown | 2 | ||||
| -rw-r--r-- | pt-br/asymptotic-notation-pt.html.markdown | 2 | ||||
| -rw-r--r-- | pt-br/c++-pt.html.markdown | 8 | ||||
| -rw-r--r-- | pt-br/c-pt.html.markdown | 2 | ||||
| -rw-r--r-- | python3.html.markdown | 136 | ||||
| -rw-r--r-- | whip.html.markdown | 2 | 
7 files changed, 120 insertions, 34 deletions
| diff --git a/pt-br/amd-pt.html.markdown b/pt-br/amd-pt.html.markdown index 38c1f70f..40c7cd09 100644 --- a/pt-br/amd-pt.html.markdown +++ b/pt-br/amd-pt.html.markdown @@ -141,7 +141,7 @@ require(['jquery', 'coolLibFromBower', 'modules/algunsHelpers'], function($, coo    coolLib.facaAlgoDoidoCom(helpers.transform($('#foo')));  });  ``` -Apps baseados em `require.js` geralmente terão u´m único ponto de acesso (`main.js`) que é passado à tag script do `require.js` como um data-attribute. Ele vai ser automaticamente carregado e executado com o carregamento da página: +Apps baseados em `require.js` geralmente terão um único ponto de acesso (`main.js`) que é passado à tag script do `require.js` como um data-attribute. Ele vai ser automaticamente carregado e executado com o carregamento da página:  ```html  <!DOCTYPE html> diff --git a/pt-br/asciidoc-pt.html.markdown b/pt-br/asciidoc-pt.html.markdown index 1dee31db..b12c0693 100644 --- a/pt-br/asciidoc-pt.html.markdown +++ b/pt-br/asciidoc-pt.html.markdown @@ -99,7 +99,7 @@ Para criar uma lista com marcadores use asteriscos.  * baz  ``` -Para criar uma lista númerada use pontos. +Para criar uma lista numerada use pontos.  ```  . item 1 diff --git a/pt-br/asymptotic-notation-pt.html.markdown b/pt-br/asymptotic-notation-pt.html.markdown index 2e299d09..aecc2194 100644 --- a/pt-br/asymptotic-notation-pt.html.markdown +++ b/pt-br/asymptotic-notation-pt.html.markdown @@ -38,7 +38,7 @@ Na primeira seção desse documento, descrevemos como Notação Assintótica ide   *f*, *n* como o tamanho da entrada e *f(n)* sendo o tempo de execução. Então,   para dado algoritmo *f*, com entrada de tamanho *n*, você terá tempo de execução   *f(n)*. Isto resulta em um gráfico onde a coordernada Y é o tempo de execução -, a coordernada X representa o tamanho da entrada e os pontos representao o tempo +, a coordernada X representa o tamanho da entrada e os pontos representam o tempo  de execução para dado tamanho de entrada.  Você pode representar a função, ou o algoritmo, com Notação Assintótica de várias diff --git a/pt-br/c++-pt.html.markdown b/pt-br/c++-pt.html.markdown index c1cfbbb1..09bfc825 100644 --- a/pt-br/c++-pt.html.markdown +++ b/pt-br/c++-pt.html.markdown @@ -20,7 +20,7 @@ foi concebida para  Embora sua sintaxe pode ser mais difícil ou complexa do que as linguagens mais  recentes, C++ é amplamente utilizado porque compila para instruções nativas que -podem ser executadas diretamente pelo processador e oferece um controlo rígido sobre hardware (como C), enquanto oferece recursos de alto nível, como os +podem ser executadas diretamente pelo processador e oferece um controle rígido sobre hardware (como C), enquanto oferece recursos de alto nível, como os  genéricos, exceções e classes. Esta combinação de velocidade e funcionalidade  faz C++ uma das linguagens de programação mais utilizadas. @@ -40,10 +40,10 @@ faz C++ uma das linguagens de programação mais utilizadas.  int main(int argc, char** argv)  { -    // Argumentos de linha de comando são passados em pelo argc e argv da mesma +    // Argumentos de linha de comando são passados para argc e argv da mesma      // forma que eles estão em C.      // argc indica o número de argumentos, -    // e argv é um array de strings, feito C (char*) representado os argumentos +    // e argv é um array de strings, feito C (char*) representando os argumentos      // O primeiro argumento é o nome pelo qual o programa foi chamado.      // argc e argv pode ser omitido se você não se importa com argumentos,      // dando a assinatura da função de int main() @@ -274,7 +274,7 @@ public:      void setWeight(int dogsWeight); -    // Funções que não modificam o estado do objecto devem ser marcadas como +    // Funções que não modificam o estado do objeto devem ser marcadas como      // const. Isso permite que você chamá-los se for dada uma referência const      // para o objeto. Além disso, observe as funções devem ser explicitamente      // declarados como _virtual_, a fim de ser substituídas em classes diff --git a/pt-br/c-pt.html.markdown b/pt-br/c-pt.html.markdown index 6e7aa8c2..c0cfb0ba 100644 --- a/pt-br/c-pt.html.markdown +++ b/pt-br/c-pt.html.markdown @@ -191,7 +191,7 @@ int main() {      f1 / f2; // => 0.5, mais ou menos epsilon      // Números e cálculos de ponto flutuante não são exatos -    // Modulo também existe +    // Módulo também existe      11 % 3; // => 2  	// Operadores de comparação provavelmente são familiares, diff --git a/python3.html.markdown b/python3.html.markdown index 5aa61b65..37987582 100644 --- a/python3.html.markdown +++ b/python3.html.markdown @@ -669,7 +669,7 @@ class Human:      # An instance method. All methods take "self" as the first argument      def say(self, msg): -        print ("{name}: {message}".format(name=self.name, message=msg)) +        print("{name}: {message}".format(name=self.name, message=msg))      # Another instance method      def sing(self): @@ -740,10 +740,105 @@ if __name__ == '__main__':  #################################################### -## 6.1 Multiple Inheritance +## 6.1 Inheritance +#################################################### + +# Inheritance allows new child classes to be defined that inherit methods and +# variables from their parent class.  + +# Using the Human class defined above as the base or parent class, we can +# define a child class, Superhero, which inherits the class variables like +# "species", "name", and "age", as well as methods, like "sing" and "grunt" +# from the Human class, but can also have its own unique properties. + +# To take advantage of modularization by file you could place the classes above in their own files, +# say, human.py + +# To import functions from other files use the following format +# from "filename-without-extension" import "function-or-class" + +from human import Human + + +# Specify the parent class(es) as parameters to the class definition +class Superhero(Human): + +    # If the child class should inherit all of the parent's definitions without +    # any modifications, you can just use the "pass" keyword (and nothing else) +    # but in this case it is commented out to allow for a unique child class: +    # pass + +    # Child classes can override their parents' attributes +    species = 'Superhuman' + +    # Children automatically inherit their parent class's constructor including +    # its arguments, but can also define additional arguments or definitions +    # and override its methods such as the class constructor. +    # This constructor inherits the "name" argument from the "Human" class and +    # adds the "superpower" and "movie" arguments: +    def __init__(self, name, movie=False, +                 superpowers=["super strength", "bulletproofing"]): + +        # add additional class attributes: +        self.fictional = True +        self.movie = movie +        self.superpowers = superpowers + +        # The "super" function lets you access the parent class's methods +        # that are overridden by the child, in this case, the __init__ method. +        # This calls the parent class constructor: +        super().__init__(name) + +    # overload the sing method +    def sing(self): +        return 'Dun, dun, DUN!' + +    # add an additional class method +    def boast(self): +        for power in self.superpowers: +            print("I wield the power of {pow}!".format(pow=power)) + + +if __name__ == '__main__': +    sup = Superhero(name="Tick") + +    # Instance type checks +    if isinstance(sup, Human): +        print('I am human') +    if type(sup) is Superhero: +        print('I am a superhero') + +    # Get the Method Resolution search Order used by both getattr() and super() +    # This attribute is dynamic and can be updated +    print(Superhero.__mro__)    # => (<class '__main__.Superhero'>, +                                # => <class 'human.Human'>, <class 'object'>) + +    # Calls parent method but uses its own class attribute +    print(sup.get_species())    # => Superhuman + +    # Calls overloaded method +    print(sup.sing())           # => Dun, dun, DUN! + +    # Calls method from Human +    sup.say('Spoon')            # => Tick: Spoon + +    # Call method that exists only in Superhero +    sup.boast()                 # => I wield the power of super strength! +                                # => I wield the power of bulletproofing! + +    # Inherited class attribute +    sup.age = 31 +    print(sup.age)              # => 31 + +    # Attribute that only exists within Superhero +    print('Am I Oscar eligible? ' + str(sup.movie)) + +#################################################### +## 6.2 Multiple Inheritance  ####################################################  # Another class definition +# bat.py  class Bat:      species = 'Baty' @@ -765,21 +860,14 @@ if __name__ == '__main__':      print(b.say('hello'))      print(b.fly) -# To take advantage of modularization by file you could place the classes above in their own files, -# say, human.py and bat.py - -# To import functions from other files use the following format -# from "filename-without-extension" import "function-or-class" +# And yet another class definition that inherits from Superhero and Bat  # superhero.py -from human import Human +from superhero import Superhero  from bat import Bat -# Batman inherits from both Human and Bat -class Batman(Human, Bat): - -    # Batman has its own value for the species class attribute -    species = 'Superhero' +# Define Batman as a child that inherits from both Superhero and Bat +class Batman(Superhero, Bat):      def __init__(self, *args, **kwargs):          # Typically to inherit attributes you have to call super: @@ -789,7 +877,8 @@ class Batman(Human, Bat):          # So instead we explicitly call __init__ for all ancestors.          # The use of *args and **kwargs allows for a clean way to pass arguments,          # with each parent "peeling a layer of the onion". -        Human.__init__(self, 'anonymous', *args, **kwargs) +        Superhero.__init__(self, 'anonymous', movie=True,  +                           superpowers=['Wealthy'], *args, **kwargs)          Bat.__init__(self, *args, can_fly=False, **kwargs)          # override the value for the name attribute          self.name = 'Sad Affleck' @@ -801,20 +890,15 @@ class Batman(Human, Bat):  if __name__ == '__main__':      sup = Batman() -    # Instance type checks -    if isinstance(sup, Human): -        print('I am human') -    if isinstance(sup, Bat): -        print('I am bat') -    if type(sup) is Batman: -        print('I am Batman') -      # Get the Method Resolution search Order used by both getattr() and super().      # This attribute is dynamic and can be updated -    print(Batman.__mro__)       # => (<class '__main__.Batman'>, <class 'human.Human'>, <class 'bat.Bat'>, <class 'object'>) +    print(Batman.__mro__)       # => (<class '__main__.Batman'>,  +                                # => <class 'superhero.Superhero'>,  +                                # => <class 'human.Human'>,  +                                # => <class 'bat.Bat'>, <class 'object'>)      # Calls parent method but uses its own class attribute -    print(sup.get_species())    # => Superhero +    print(sup.get_species())    # => Superhuman      # Calls overloaded method      print(sup.sing())           # => nan nan nan nan nan batman! @@ -827,10 +911,10 @@ if __name__ == '__main__':      # Inherited class attribute      sup.age = 100 -    print(sup.age) +    print(sup.age)              # => 100      # Inherited attribute from 2nd ancestor whose default value was overridden. -    print('Can I fly? ' + str(sup.fly)) +    print('Can I fly? ' + str(sup.fly)) # => Can I fly? False diff --git a/whip.html.markdown b/whip.html.markdown index e7e5e427..c692714a 100644 --- a/whip.html.markdown +++ b/whip.html.markdown @@ -3,6 +3,7 @@ language: whip  contributors:    - ["Tenor Biel", "http://github.com/L8D"]    - ["Saurabh Sandav", "http://github.com/SaurabhSandav"] +  - ["Paulo Henrique Rodrigues Pinheiro", "https://github.com/paulohrpinheiro"]  author: Tenor Biel  author_url: http://github.com/L8D  filename: whip.lisp @@ -232,6 +233,7 @@ undefined ; user to indicate a value that hasn't been set  (words "foobar nachos cheese") ; => ("foobar" "nachos" "cheese")  ; Join list of strings together.  (unwords ("foo" "bar")) ; => "foobar" +; Successor and Predecessor  (pred 21) ; => 20  (succ 20) ; => 21  ``` | 
