<div class="text-justify"> <center><h1>class newPost():</h1></center> <center>  <br>[Shoutout to Real Python](https://realpython.com/python-classes/)</center>  <center><h3>In this article you'll find:</h3></center> * <b>Introduction</b> * <b>What is a class?/What is an object?</b> * <b>What do classes and objects look like in code?</b> * <b>__init__ Function()</b> * <b>How to create a method inside a class</b> * <b>Operations with objects</b>  We are heading to the end of the basics: We went through If conditionals, switch-case, for and while cycles, functions, lists, tuples, dictionaries, sets, operations with arrays and many other elements that have brought us to the point of knowledge of basic concepts. However, today it is time to go into new territory: Classes. When working with object-oriented programming languages, we will come across this word a lot. But what is it? It is precisely what we will see in this post, which, after reading it, will make you understand how these programming components work perfectly, being ready to apply them in your programs. That said: <center>Let's begin!</center>  <center><h2>What is a class? / What is an object?</h2></center> <center>  <br>[Shoutout to STechies](https://www.stechies.com/classes-instances-python/)</center> First, let's take a look at what an object is: An object is an entity that has properties and methods that we can apply to it. This means that a lot of elements in Python are objects, such as: * Variables * Functions * Modules Since they fulfill the conditions of methods and properties. Now that we know this, let's define what a class is: Classes are DataTypes that are created to represent complex objects. That is to say, a class is the blueprint to create an object. If we remember a very common DataType such as string, we can see that this is a class itself. If we create a variable (object) of type string called test: ``` test = 'testing string' ``` And we apply a method of the string class itself as Capitalize. ``` test.capitalize() print(test) >>> TESTING STRING ``` We can see that the test object calls the string class to look for the capitalize method and apply it. This is what happens with all classes. If we are still skeptical as to whether our string is a class, just write the following: ``` print(type(test)) >>> <class 'string'> ``` Now, how would we define the properties and methods of a class? For this, we take the following example:  Car will be our class, having both properties and methods. The properties will be the attributes of the car, such as the color, the license plate number, the amount of fuel in the gas, among many others. On the other hand the methods, which are functions associated to an object ([More about this in this article](https://hive.blog/hive-196387/@jesalmofficial/the-difference-between-a-method-and-a-function-coding-basics)) will be running the car, changing directions, braking, etc... This is the working principle behind each class. So, if we decided to create or use a new car, it would have the properties and methods of the class. We already know what is behind a class. However, we still don't know how to write it in code. Let's take a look at this.  <center><h2>What do classes and objects look like in code?</h2></center> <center>  <br>[Shoutout to Texas Instruments](https://education.ti.com/en/bulletinboard/2022/python-coding-classes)</center> To create a class, the syntax will depend on your programming language. In the case of python, we only have to use the keyword Class: ``` class myClass: ``` And if we want to add a property to it, we can create a variable inside it. ``` class myClass: number = 5 ``` We know that if we try to access number outside the class, this will be out of bounds and we will get an error like the following one: ``` NameError: name 'x' is not defined ``` If we would like to access number, we have to create an object first. For this, we create a variable that invokes the class and write: ``` new_object = myClass() ``` And thus, we would have our first object. Now, if we want to call number, we use ``` print(new_object.x) >>> 5 ``` However, this is the simplest form of a class, which is not often used in practical examples. To understand these, you will need to know the __init__() function.  <center><h2>__init__() Function</h2></center> <center>  <br>[Shoutout to Harsh Tiwari in Stack Overflow](https://stackoverflow.com/questions/71527949/what-is-meaning-of-superclassname-self-init-in-python)</center> Whenever a class is created, a built_in function (i.e., a Python function) called __init__() or constructor is executed, which will allow us to save custom parameters when creating an object. If we look at the following example: ``` class Person: def __init__(self, name, age): self.name = name self.age = age ``` We will usually see several parameters. The self, which will simply reference the current instance of the class, and the parameters to which the user will enter information when creating the object. Seeing this in practice ``` person1 = Person("Jenny", 24) ``` We see how we assign the name and age parameters directly when creating the class. Now, if we print both parameters. ``` print(person1.name) >>> Jenny print(person1.age) >>> 24 ``` If we would like to create another object and add a custom name and age to it, we can do it without problems. These parameters are known as attributes or properties. However, we are still missing the other part of the equation: what happens if we want to define a method inside our class?  <center><h2>How to create a method inside a class</h2></center> <center>  <br>[Shoutout to PYnative](https://pynative.com/python-class-method/)</center> Since the methods are functions of the class itself, which the object will then call, the syntax will be the same. The only difference is that now we only use self as parameter, since it will represent the current instance of the class (the object). ``` class Person: def __init__(self, name, age): self.name = name self.age = age def method_for_class(self): print("Welcome" + self.name). ``` Now, if we create our object and call this method: ``` person1 = Person('Mary',28) person1.method_for_class() >>> Welcome Mary ```  <center><h2>Operations with objects</h2></center> <center>  <br>[Shoutout to Simplilearn.com](https://www.simplilearn.com/tutorials/python-tutorial/objects-and-classes-in-python)</center> Let's say you want to change an attribute on your object, how would we do this? Just as with any variable, we modify the value of some property in an object by accessing the particular object and assigning a new value. This, in the following way: ``` object.attribute = new_value ``` Referring to the previous example. If we want to change the age of mary to 29 years, we would only have to write: ``` person1.age = 29 print(person1.age) >>> 29 ``` If we want to change name, we would just type person1.name = and then the new value. Now, this works when we want to modify a value, but there are certain cases where we want to delete a property for an object. To do this, we just use the keyword del: ``` of the person1.age print(person1.age) >>> AttributeError: 'Person' object has no attribute 'age'. ``` And if we want to delete the object completely, we write: ``` of the person1 >>>NameError: 'p1' is not defined ```  The concept of class is the first encounter with object-oriented programming, where we obtain the knowledge to create a blueprint for new objects, assigning them the attributes and methods we want. After reading this, you will be able to create your own classes and implement them in your programs. This will save you countless lines of code and you will be able to structure your code in a much simpler way. Enjoy it.  <center>Thank you for your support and good luck!</center>    <center><h1>class newPost():</h1></center> <center>  <br>[Shoutout to Real Python](https://realpython.com/python-classes/)</center>  <center><h3>En este artículo encontrarás:</h3></center> * <b>Introducción</b> * <b>¿Qué es una clase?/¿Qué es un objeto?</b> * <b>¿Cómo luce una clase y un objeto en código?</b> * <b>Función __init__()</b> * <b>Como crear un método dentro de una clase</b> * <b>Operaciones con objetos</b>  Nos dirigimos a final de lo básico: Pasamos por condicionales If, switch-case, ciclos for y while, funciones, listas, tuplas, diccionarios, sets, operaciones con arreglos y muchos otros elementos que nos han llevado al punto del conocimiento de conceptos básicos. Sin embargo, el día de hoy es tiempo de adentrarnos en nuevo territorio: El de las clases. Al trabajar con lenguajes de programación orientada a objetos, nos encontraremos con esta palabra un montón. Pero, ¿Qué es esto? Es precisamente lo que veremos en este post, el cual, después de leerlo, te hará comprender como funcionan estos componentes de programación a la perfección, estando listo para aplicarlos en tus programas. Dicho esto: <center>¡Comencemos!</center>  <center><h2>¿Qué es una clase?/¿Qué es un objeto?</h2></center> <center>  <br>[Shoutout to STechies](https://www.stechies.com/classes-instances-python/)</center> Primero, echemos un vistazo a lo que es un objeto: Un objeto es una entidad que tiene propiedades y métodos que podemos aplicar a esta. Esto quiere decir que una gran cantidad de elementos en Python son objetos, como lo son: * Variables * Funciones * Módulos Ya que cumplen con las condiciones de métodos y propiedades. Ahora que sabemos esto, pasamos a definir que es una clase: Las clases son DataTypes que se crean para representar objetos complejos. Es decir, una clase es el plano para crear un objeto. Si recordamos un DataType muy común como lo es el string, podemos ver que este es una clase en si. Si creamos una variable (objeto) de tipo string llamada test: ``` test = 'testing string' ``` Y le aplicamos un método propio de la clase string como lo es Capitalize. ``` test.capitalize() print(test) >>> TESTING STRING ``` Podemos ver que el objeto test llama a la clase string para buscar el método capitalize y aplicarlo. Esto es lo que pasa con todas las clases. Si aún estamos escépticos con respecto a si nuestra string es una clase, solo escribe lo siguiente: ``` print(type(test)) >>> <class 'string'> ``` Ahora ¿Como definiríamos las propiedades y métodos de una clase? Para esto, tomamos el siguiente ejemplo:  Car será nuestra clase, teniendo tanto propiedades como métodos. Las propiedades serán los atributos del auto, como lo son el color, el número de placa, la cantidad de combustible en el gas, entre muchos otros. Por otro lado los métodos, que son funciones asociadas a un objeto ([Más sobre esto en este artículo](https://hive.blog/hive-196387/@jesalmofficial/the-difference-between-a-method-and-a-function-coding-basics)) serán el acelerar, cambiar direcciones, frenar, etc... Este es el principio de funcionamiento detrás de cada clase. Entonces, si decidieramos crear o usar un nuevo auto, este tendría las propiedades y los métodos de la clase. Ya sabemos que hay detrás de una clase. Sin embargo, todavía no sabemos como escribirla en código. Veamos esto.  <center><h2>¿Cómo luce una clase y un objeto en código?</h2></center> <center>  <br>[Shoutout to Texas Instruments](https://education.ti.com/en/bulletinboard/2022/python-coding-classes)</center> Para crear una clase, la sintaxis dependerá de tu lenguaje de programación. En el caso de python, solo tenemos que usar la keyword Class: ``` class myClass: ``` Y si queremos añadirle una propiedad, podemos crear una variable dentro de esta. ``` class myClass: number = 5 ``` Sabemos que si tratamos de acceder a number fuera de la clase, esto se encontrará fuera de los límites y nos saltará un error como el siguiente: ``` NameError: name 'x' is not defined ``` Si quisieramos acceder a number, tenemos que crear un objeto primero. Para esto, creamos una variable que invoque la clase y escribimos: ``` new_object = myClass() ``` Y así, tendríamos nuestro primer objeto. Ahora, si queremos llamar a number, usamos: ``` print(new_object.x) >>> 5 ``` Sin embargo, esta es la forma más sencilla de una clase, lo cual no suele usarse en ejemplos prácticos. Para entender estos, hará falta conocer la función __init__()  <center><h2>Función __Init__()</h2></center> <center>  <br>[Shoutout to Harsh Tiwari in Stack Overflow](https://stackoverflow.com/questions/71527949/what-is-meaning-of-superclassname-self-init-in-python)</center> Siempre que se crea una clase, se ejecuta una función built_in (Es decir, una función propia de Python) llamada __init__() o constructor. Lo que hará esta es que nos permitirá grabar parámetros personalizados al crear un objeto. Si observamos el siguiente ejemplo: ``` class Person: def __init__(self, name, age): self.name = name self.age = age ``` Veremos generalmente varios parámetros. El self, que simplemente hará referencia a la instancia actual de la clase, y los parámetros a los cuales el usuario introducirá la información cuando cree el objeto. Viendo esto en práctica: ``` person1 = Person("Jenny", 24) ``` Vemos como asignamos los parámetros de name y age directamente al crear la clase. Ahora, si imprimimos ambos parámetros. ``` print(person1.name) >>> Jenny print(person1.age) >>> 24 ``` Si quisieramos crear otro objeto y agregarle un nombre y edad personalizado, ya podemos hacerlo sin problemas. A estos parámetros es a los que conoceremos como atributos o propiedades. Sin embargo, aún nos falta la otra parte de la ecuación. ¿Qué pasa si queremos definir un método dentro de nuestra clase?  <center><h2>Como crear un método dentro de una clase</h2></center> <center>  <br>[Shoutout to PYnative](https://pynative.com/python-class-method/)</center> Ya que los métodos son funciones propias de la clase, que luego el objeto llamará, la sintaxis será la misma. La única diferencia es que ahora solo usamos como parámetro a self, ya que este representará la instancia actual de la clase (El objeto). ``` class Person: def __init__(self, name, age): self.name = name self.age = age def method_for_class(self): print("Welcome" + self.name) ``` Ahora, si creamos nuestro objeto y llamamos a este método: ``` person1 = Person('Mary',28) person1.method_for_class() >>> Welcome Mary ```  <center><h2>Operaciones con objetos</h2></center> <center>  <br>[Shoutout to Simplilearn.com](https://www.simplilearn.com/tutorials/python-tutorial/objects-and-classes-in-python)</center> Digamos que quieres cambiar un atributo en tu objeto, ¿Como haríamos esto? De igual forma que con cualquier variable, modificamos el valor de alguna propiedad en un objeto al acceder al objeto en particular y asignar un nuevo valor. Esto, de la siguiente forma: ``` object.attribute = new_value ``` Referenciando al ejemplo anterior. Si queremos cambiar la edad de mary a 29 años, solo tendríamos que escribir: ``` person1.age = 29 print(person1.age) >>> 29 ``` Si queremos cambiar name, solo tendríamos que colocar person1.name = y entonces el nuevo valor. Ahora bien, esto funciona cuando queremos modificar un valor, pero existen ciertos casos donde queremos borrar una propiedad para un objeto. Para hacer esto, solo usamos la keyword del: ``` del person1.age print(person1.age) >>> AttributeError: 'Person' object has no attribute 'age' ``` Y si queremos borrar el objeto por completo, escribimos: ``` del person1 >>>NameError: 'p1' is not defined ```  El concepto de clase es el primer encuentro con la programación orientada a objetos, donde obtenemos el conocimiento para crear un plano a nuevos objetos, asignándoles los atributos y métodos que queramos. Después de leer esto, estarás en condiciones para crear tu propias clases e implementarlas en tus programas. Esto te ahorrará incontables líneas de código y podrás estructurar tu código de una forma mucho más sencilla. Disfrutalo.  <center>¡Gracias por tu apoyo y buena suerte!</center>   </div>
author | jesalmofficial |
---|---|
permlink | classes-and-objects-or-clases-y-objetos-coding-basics-9-enes |
category | hive-196387 |
json_metadata | "{"app":"peakd/2023.7.1","format":"markdown","description":"The basis of object-oriented programming are classes and objects. After reading, you will handle both of them perfectly.","tags":["coding","stemgeeks","stem","tech","english","spanish","neoxian","hive","creativecoin"],"users":["jesalmofficial","jesalmofficial.p"],"image":["https://files.peakd.com/file/peakd-hive/jesalmofficial/23yJLhNQ2gcbMFLEvueUEsQQVgix4cw2gdb6Gnoe6BF7BLait7UvnK6zM6Z5TpT9XekLr.webp","https://files.peakd.com/file/peakd-hive/jesalmofficial/EoGvX4Va6X4ZfjnYkvBhFi2bqZsCrwoqpWhwgmGDPKVDS9eeZ4zF8foqAfcm44mn84d.png","https://files.peakd.com/file/peakd-hive/jesalmofficial/Ep7scR6P77Bma1nnnd7EY9Unyqs5sgPYrUyjqrtRHqQMTyPtAtFwazzktHohG4iCdG9.png","https://files.peakd.com/file/peakd-hive/jesalmofficial/23tHbr9ykvofyRpXLMZX9Ny5NuHHWZDUqLAVC8mwa1K3jXSLnN53FodeywEKJK7LKAa98.png","https://files.peakd.com/file/peakd-hive/jesalmofficial/23tw6Az9NEkKR3VeP5gxLCvwjsdgGJJfgonfFugd7addDqUrP1q2Z4MyHwQaXkcLM6HkH.png","https://files.peakd.com/file/peakd-hive/jesalmofficial/23t77B8EyuzvYZxdDys1fg7tVNg8BRMgE1pnsd4vUweemDp2t6xPuuZDCWxeLETAe4n8G.jpg","https://files.peakd.com/file/peakd-hive/jesalmofficial/Eo4Jmy95wEQuDFG8amdGTmhoEzRzZRGrpTbsuW26SPVBZF8S5LeXx4a35g2o9YCyKmN.webp","https://files.peakd.com/file/peakd-hive/jesalmofficial/23tw8LdwmEVRczSiKayQB34ZgfGMFmBsTeLCAbATBg8raHJxxGeh67PTLqLJyJJoErSMs.jpg","https://files.peakd.com/file/peakd-hive/jesalmofficial/23uFM31KVmT4iWbMCQWto9Nnz5WENKeMFhkXX2X37NpFPEcUSW7vSx9AEF1rSAVaaAcXP.png"]}" |
created | 2023-08-20 17:03:03 |
last_update | 2023-08-20 17:03:03 |
depth | 0 |
children | 2 |
last_payout | 2023-08-27 17:03:03 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 3.998 HBD |
curator_payout_value | 3.913 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 21,611 |
author_reputation | 18,160,267,462,239 |
root_title | "Classes and Objects | Clases y Objetos - Coding Basics #9 [EN/ES]" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 126,433,738 |
net_rshares | 20,110,798,619,187 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
drifter1 | 0 | 942,299,625 | 2.6% | ||
kevinwong | 0 | 2,862,620,646 | 0.39% | ||
justtryme90 | 0 | 1,313,654,537 | 65% | ||
eric-boucher | 0 | 12,888,731,245 | 2.6% | ||
thecryptodrive | 0 | 52,475,325,880 | 1.04% | ||
roelandp | 0 | 270,587,384,517 | 32.5% | ||
cloh76 | 0 | 3,698,610,338 | 2.6% | ||
stea90 | 0 | 495,224,529 | 1% | ||
joshglen | 0 | 683,474,617 | 5.2% | ||
pipokinha | 0 | 64,307,663,294 | 100% | ||
sunshine | 0 | 188,190,191,088 | 32.5% | ||
neddykelly | 0 | 14,603,450,649 | 85% | ||
lordvader | 0 | 41,708,570,385 | 5.2% | ||
lemouth | 0 | 1,843,211,088,011 | 65% | ||
alaqrab | 0 | 502,925,248 | 2.6% | ||
lamouthe | 0 | 5,146,669,475 | 65% | ||
tfeldman | 0 | 5,080,749,710 | 2.6% | ||
sergiomendes | 0 | 1,883,646,836 | 2.6% | ||
metabs | 0 | 7,117,854,259 | 65% | ||
mcsvi | 0 | 114,259,083,581 | 50% | ||
lk666 | 0 | 1,663,330,733 | 2.6% | ||
cnfund | 0 | 10,346,352,528 | 5.2% | ||
justyy | 0 | 33,920,296,934 | 5.2% | ||
michelle.gent | 0 | 3,061,075,554 | 1.04% | ||
curie | 0 | 422,614,786,372 | 5.2% | ||
modernzorker | 0 | 3,409,141,970 | 3.64% | ||
techslut | 0 | 165,718,910,731 | 26% | ||
slider2990 | 0 | 6,859,188,054 | 100% | ||
steemstem | 0 | 1,194,158,070,814 | 65% | ||
dashfit | 0 | 546,467,485 | 2.6% | ||
edb | 0 | 6,840,765,928 | 6.5% | ||
yadamaniart | 0 | 2,999,549,796 | 2.6% | ||
bigtakosensei | 0 | 1,191,690,703 | 1.3% | ||
walterjay | 0 | 402,351,560,232 | 32.5% | ||
valth | 0 | 10,077,056,799 | 32.5% | ||
metroair | 0 | 23,650,259,406 | 5.2% | ||
driptorchpress | 0 | 1,873,079,347 | 1.3% | ||
voter | 0 | 4,960,874,129 | 100% | ||
sardrt | 0 | 1,237,057,024 | 10% | ||
dna-replication | 0 | 2,544,494,217 | 65% | ||
mariaalmeida | 0 | 17,490,884,229 | 100% | ||
boynashruddin | 0 | 740,016,764 | 5.2% | ||
gifmaster | 0 | 53,882,888,693 | 100% | ||
steemiteducation | 0 | 1,143,999,858 | 2.6% | ||
dhimmel | 0 | 339,399,961,439 | 16.25% | ||
oluwatobiloba | 0 | 2,314,913,834 | 65% | ||
detlev | 0 | 22,488,829,003 | 1.56% | ||
chasmic-cosm | 0 | 791,513,150 | 2.6% | ||
lugaxker | 0 | 761,042,891 | 32.17% | ||
federacion45 | 0 | 8,170,572,712 | 2.6% | ||
amberyooper | 0 | 535,411,533 | 2.6% | ||
gamersclassified | 0 | 4,126,912,280 | 2.6% | ||
iansart | 0 | 9,578,463,437 | 2.6% | ||
forykw | 0 | 15,225,626,611 | 2.6% | ||
mobbs | 0 | 162,435,213,962 | 32.5% | ||
eliel | 0 | 12,830,444,358 | 5.2% | ||
jerrybanfield | 0 | 18,680,745,862 | 5.2% | ||
rt395 | 0 | 1,887,665,510 | 1.5% | ||
bitrocker2020 | 0 | 9,266,367,153 | 0.78% | ||
jga | 0 | 53,891,338,648 | 100% | ||
maxdevalue | 0 | 21,629,815,109 | 5.2% | ||
sustainablyyours | 0 | 28,397,082,965 | 32.5% | ||
helo | 0 | 1,001,355,861 | 32.5% | ||
arunava | 0 | 21,515,588,009 | 2.08% | ||
schoolforsdg4 | 0 | 1,057,662,447 | 5% | ||
samminator | 0 | 47,063,441,861 | 32.5% | ||
zerotoone | 0 | 1,035,246,648 | 2.6% | ||
enjar | 0 | 38,624,803,381 | 4.68% | ||
mahdiyari | 0 | 2,007,084,798,286 | 80% | ||
lorenzor | 0 | 1,356,308,390 | 50% | ||
sam99 | 0 | 13,839,245,448 | 21% | ||
aboutyourbiz | 0 | 975,785,050 | 5.2% | ||
derosnec | 0 | 528,519,170 | 2.6% | ||
alexander.alexis | 0 | 39,937,201,214 | 65% | ||
dandesign86 | 0 | 15,624,473,095 | 8% | ||
jayna | 0 | 7,018,782,953 | 1.04% | ||
deanlogic | 0 | 1,309,009,731 | 2.6% | ||
hhayweaver | 0 | 948,919,182 | 1.3% | ||
princessmewmew | 0 | 7,462,900,260 | 2.6% | ||
grapthar | 0 | 1,330,933,159 | 3.9% | ||
imransoudagar | 0 | 1,218,831,218 | 100% | ||
joeyarnoldvn | 0 | 479,071,815 | 1.47% | ||
diabolika | 0 | 767,481,549 | 2.6% | ||
ufv | 0 | 3,006,808,420 | 50% | ||
gunthertopp | 0 | 69,106,093,842 | 1.3% | ||
pipiczech | 0 | 2,140,554,507 | 5.2% | ||
touchman | 0 | 175,840,733,716 | 100% | ||
empath | 0 | 3,844,256,772 | 2.6% | ||
minnowbooster | 0 | 1,044,410,142,085 | 20% | ||
howo | 0 | 2,090,142,936,438 | 65% | ||
tsoldovieri | 0 | 6,853,889,782 | 32.5% | ||
steemwizards | 0 | 3,877,621,065 | 5.2% | ||
neumannsalva | 0 | 4,396,918,061 | 2.6% | ||
stayoutoftherz | 0 | 132,574,827,199 | 1.3% | ||
abigail-dantes | 0 | 24,092,892,833 | 65% | ||
coindevil | 0 | 2,638,349,242 | 4.16% | ||
syh7758520 | 0 | 2,621,533,207 | 80% | ||
zonguin | 0 | 3,453,212,276 | 16.25% | ||
mamalikh13 | 0 | 8,627,299,719 | 5.2% | ||
martibis | 0 | 2,609,623,332 | 1.56% | ||
val.halla | 0 | 2,869,753,262 | 10% | ||
redrica | 0 | 1,864,908,216 | 2.6% | ||
pepskaram | 0 | 545,697,478 | 2.6% | ||
iamphysical | 0 | 783,193,561 | 90% | ||
dipom98 | 0 | 1,097,792,882 | 2.6% | ||
zest | 0 | 928,640,501 | 32.5% | ||
zyx066 | 0 | 5,210,245,792 | 1.56% | ||
chrisdavidphoto | 0 | 1,007,461,004 | 1.56% | ||
revo | 0 | 10,346,945,560 | 5.2% | ||
azulear | 0 | 1,208,674,059 | 100% | ||
psicoluigi | 0 | 726,279,008 | 50% | ||
nerdnews | 0 | 906,915,374 | 5.2% | ||
wilians | 0 | 505,413,688 | 32.5% | ||
rocky1 | 0 | 769,942,452,746 | 0.78% | ||
sumant | 0 | 12,046,554,613 | 2.6% | ||
aidefr | 0 | 6,823,433,831 | 32.5% | ||
torico | 0 | 1,372,509,518 | 1.71% | ||
cloudspyder | 0 | 9,036,696,861 | 100% | ||
therealwolf | 0 | 26,679,228,617 | 2.6% | ||
inthenow | 0 | 19,264,872,497 | 20% | ||
minnowpowerup | 0 | 812,488,557 | 2.6% | ||
splash-of-angs63 | 0 | 5,297,040,691 | 65% | ||
cryptononymous | 0 | 1,797,935,910 | 2.6% | ||
braveboat | 0 | 21,544,303,676 | 40% | ||
dauerossi | 0 | 6,097,142,135 | 30% | ||
meno | 0 | 24,247,297,136 | 2.6% | ||
buttcoins | 0 | 716,444,778 | 1.04% | ||
toocurious | 0 | 495,069,060 | 2.6% | ||
steemed-proxy | 0 | 1,026,484,369,760 | 5.2% | ||
fatkat | 0 | 1,378,560,517 | 2.59% | ||
peaceandwar | 0 | 811,319,006 | 2.6% | ||
enzor | 0 | 2,104,626,179 | 32.5% | ||
marcoriccardi | 0 | 976,993,292 | 5.2% | ||
bartosz546 | 0 | 3,457,055,036 | 2.6% | ||
tazbaz | 0 | 514,812,847 | 2.6% | ||
kiaazad | 0 | 41,795,274,332 | 100% | ||
dreamm | 0 | 3,057,742,710 | 50% | ||
sonu084 | 0 | 1,802,544,419 | 100% | ||
battebilly | 0 | 858,182,095 | 2.6% | ||
notb4mycoffee | 0 | 3,044,997,018 | 5.2% | ||
silverwhale | 0 | 1,358,400,580 | 4.68% | ||
maverickfoo | 0 | 13,767,028,257 | 50% | ||
dejan.vuckovic | 0 | 525,589,734 | 2.08% | ||
alvinauh | 0 | 1,285,563,635 | 30% | ||
lottje | 0 | 565,099,580 | 65% | ||
myach | 0 | 716,623,620 | 4.16% | ||
red-rose | 0 | 45,908,885,585 | 99% | ||
sunsea | 0 | 4,044,613,876 | 2.6% | ||
postpromoter | 0 | 1,469,390,879,629 | 65% | ||
bluefinstudios | 0 | 3,293,523,869 | 1.56% | ||
steveconnor | 0 | 4,321,516,710 | 2.6% | ||
sankysanket18 | 0 | 1,564,701,396 | 32.5% | ||
dbddv01 | 0 | 2,378,580,508 | 16.25% | ||
zmx | 0 | 529,620,247 | 2.6% | ||
gazbaz4000 | 0 | 74,937,128,955 | 100% | ||
nicole-st | 0 | 665,817,381 | 2.6% | ||
smartsteem | 0 | 127,309,753,584 | 2.6% | ||
jasimg | 0 | 695,556,856 | 100% | ||
smitop | 0 | 10,422,776,728 | 100% | ||
aboutcoolscience | 0 | 23,883,382,603 | 65% | ||
afifa | 0 | 608,503,740 | 10% | ||
sandracarrascal | 0 | 491,321,396 | 50% | ||
skycae | 0 | 655,116,725 | 5.2% | ||
kenadis | 0 | 17,610,141,638 | 65% | ||
madridbg | 0 | 26,887,947,040 | 65% | ||
robotics101 | 0 | 19,270,358,569 | 65% | ||
marcolino76 | 0 | 539,865,885 | 2.6% | ||
onemedia | 0 | 1,051,977,562 | 5.2% | ||
lpv | 0 | 2,808,044,250 | 8.12% | ||
punchline | 0 | 15,322,880,254 | 5.2% | ||
howiemac | 0 | 567,320,791 | 2.6% | ||
straykat | 0 | 771,958,345 | 2.6% | ||
tomatom | 0 | 558,264,394 | 2.6% | ||
adelepazani | 0 | 1,535,207,152 | 1.56% | ||
danaedwards | 0 | 688,283,384 | 5.2% | ||
sco | 0 | 17,576,160,583 | 65% | ||
anikekirsten | 0 | 1,012,722,138 | 32.5% | ||
phgnomo | 0 | 774,170,706 | 2.6% | ||
ennyta | 0 | 943,789,505 | 50% | ||
brotherhood | 0 | 18,583,346,859 | 5.2% | ||
juecoree | 0 | 4,035,956,801 | 45.5% | ||
gordon92 | 0 | 797,744,372 | 2.6% | ||
stahlberg | 0 | 1,189,081,846 | 2.6% | ||
gabrielatravels | 0 | 1,415,906,702 | 1.82% | ||
jaro-art | 0 | 3,857,177,710 | 100% | ||
cordeta | 0 | 954,481,479 | 5.2% | ||
carn | 0 | 3,293,192,342 | 4.68% | ||
eliaschess333 | 0 | 39,630,396,954 | 100% | ||
branbello | 0 | 2,412,333,641 | 32.5% | ||
bartheek | 0 | 29,156,954,859 | 5.2% | ||
hetty-rowan | 0 | 2,037,195,704 | 2.6% | ||
ydavgonzalez | 0 | 2,091,031,404 | 10% | ||
intrepidphotos | 0 | 13,241,908,150 | 48.75% | ||
fineartnow | 0 | 3,670,560,769 | 2.6% | ||
hijosdelhombre | 0 | 42,005,286,439 | 40% | ||
yoghurt | 0 | 1,628,524,275 | 5.2% | ||
shinedojo | 0 | 655,042,221 | 5.2% | ||
fragmentarion | 0 | 13,308,042,078 | 65% | ||
jigstrike | 0 | 822,196,210 | 2.6% | ||
baycan | 0 | 816,683,985 | 2.6% | ||
m1alsan | 0 | 517,390,943 | 2.6% | ||
pab.ink | 0 | 33,453,616,605 | 32.5% | ||
goldrooster | 0 | 6,202,923,520 | 100% | ||
real2josh | 0 | 610,382,526 | 32.5% | ||
videosteemit | 0 | 1,191,027,882 | 5.2% | ||
gribouille | 0 | 3,102,035,258 | 65% | ||
pandasquad | 0 | 11,772,231,834 | 5.2% | ||
tobias-g | 0 | 3,487,619,126 | 15% | ||
kingabesh | 0 | 1,320,022,957 | 32.5% | ||
miguelangel2801 | 0 | 796,584,372 | 50% | ||
mproxima | 0 | 1,684,418,100 | 2.6% | ||
didic | 0 | 1,790,186,804 | 2.6% | ||
warpedpoetic | 0 | 1,778,306,006 | 5.2% | ||
careassaktart | 0 | 572,380,063 | 1.56% | ||
felixgarciap | 0 | 1,023,833,192 | 2.6% | ||
emiliomoron | 0 | 9,818,521,388 | 32.5% | ||
galam | 0 | 609,358,141 | 22.75% | ||
dexterdev | 0 | 2,677,974,518 | 32.5% | ||
zelenicic | 0 | 31,947,655,395 | 100% | ||
geopolis | 0 | 4,345,854,341 | 65% | ||
ajfernandez | 0 | 784,669,097 | 100% | ||
robertbira | 0 | 7,035,201,516 | 16.25% | ||
atomcollector | 0 | 1,183,750,459 | 1.3% | ||
alexdory | 0 | 9,452,676,764 | 65% | ||
takowi | 0 | 99,390,572,442 | 5.2% | ||
vegan.niinja | 0 | 479,719,528 | 2.6% | ||
flugschwein | 0 | 3,404,237,254 | 55.25% | ||
charitybot | 0 | 4,987,948,239 | 100% | ||
cyprianj | 0 | 75,984,025,753 | 65% | ||
kieranstone | 0 | 1,365,821,493 | 1.71% | ||
vinamra | 0 | 11,075,203,357 | 100% | ||
melvin7 | 0 | 99,715,462,381 | 32.5% | ||
francostem | 0 | 9,053,939,625 | 65% | ||
endopediatria | 0 | 695,806,150 | 20% | ||
chrislybear | 0 | 3,733,485,188 | 50% | ||
croctopus | 0 | 1,438,679,901 | 100% | ||
jjerryhan | 0 | 1,876,889,089 | 2.6% | ||
michelmake | 0 | 71,421,650,924 | 50% | ||
zipporah | 0 | 2,486,185,647 | 1.04% | ||
leomarylm | 0 | 1,742,940,387 | 2.6% | ||
randumb | 0 | 1,459,414,447 | 5.2% | ||
positiveninja | 0 | 1,038,955,270 | 2.6% | ||
miroslavrc | 0 | 574,797,805 | 1.3% | ||
foxyspirit | 0 | 536,687,063 | 2.6% | ||
vonaurolacu | 0 | 2,061,615,609 | 2.6% | ||
movingman | 0 | 510,260,771 | 20% | ||
delpilar | 0 | 934,959,443 | 25% | ||
tomastonyperez | 0 | 17,112,765,982 | 50% | ||
bil.prag | 0 | 2,321,759,998 | 0.26% | ||
elvigia | 0 | 11,079,462,667 | 50% | ||
safrizal.mus | 0 | 1,308,525,093 | 75% | ||
sanderjansenart | 0 | 4,986,906,799 | 2.6% | ||
vittoriozuccala | 0 | 2,017,371,637 | 2.6% | ||
laxam | 0 | 5,396,539,629 | 100% | ||
qberry | 0 | 3,668,139,754 | 2.6% | ||
strosalia | 0 | 10,471,230,951 | 80% | ||
frissonsteemit | 0 | 1,123,936,482 | 2.6% | ||
broncofan99 | 0 | 8,695,610,044 | 20% | ||
rambutan.art | 0 | 1,847,889,845 | 5.2% | ||
greddyforce | 0 | 3,194,658,034 | 1.92% | ||
flyerchen | 0 | 1,197,449,931 | 2.6% | ||
braaiboy | 0 | 9,793,827,018 | 2.6% | ||
ryenneleow | 0 | 6,363,444,830 | 90% | ||
jansher | 0 | 696,093,006 | 100% | ||
c0wtschpotato | 0 | 544,285,232 | 2.6% | ||
therising | 0 | 95,490,206,459 | 5.2% | ||
cryptocoinkb | 0 | 2,026,290,063 | 2.6% | ||
gifty-e | 0 | 754,798,228 | 80% | ||
scruffy23 | 0 | 19,995,430,587 | 50% | ||
de-stem | 0 | 35,899,123,665 | 64.35% | ||
serylt | 0 | 3,001,820,478 | 63.7% | ||
gogreenbuddy | 0 | 43,709,069,765 | 5.2% | ||
josedelacruz | 0 | 4,823,932,711 | 50% | ||
achimmertens | 0 | 9,030,202,927 | 2.6% | ||
charitymemes | 0 | 523,899,932 | 100% | ||
mariusfebruary | 0 | 729,845,008 | 2.08% | ||
outtheshellvlog | 0 | 816,042,435 | 2.6% | ||
sawyn | 0 | 613,146,501 | 2.6% | ||
petertag | 0 | 508,915,575 | 3.9% | ||
erickyoussif | 0 | 592,304,606 | 100% | ||
michaelwrites | 0 | 862,171,397 | 32.5% | ||
indigoocean | 0 | 1,213,788,988 | 2.6% | ||
primersion | 0 | 330,817,578,959 | 20% | ||
deholt | 0 | 3,799,891,327 | 55.25% | ||
anneporter | 0 | 2,541,893,510 | 19.5% | ||
celinavisaez | 0 | 9,986,379,895 | 30% | ||
steem.services | 0 | 964,910,047 | 1.04% | ||
netzisde | 0 | 1,106,645,697 | 2.6% | ||
diabonua | 0 | 5,118,370,112 | 2.6% | ||
crystalhuman | 0 | 629,242,421 | 65% | ||
pladozero | 0 | 33,487,372,378 | 10% | ||
minerthreat | 0 | 3,433,490,433 | 2.6% | ||
stevenwood | 0 | 2,830,330,131 | 1.73% | ||
temitayo-pelumi | 0 | 6,004,606,900 | 65% | ||
andrick | 0 | 866,056,268 | 50% | ||
doctor-cog-diss | 0 | 51,205,806,672 | 65% | ||
dailyspam | 0 | 10,016,490,887 | 20% | ||
realkiki85 | 0 | 5,130,971,978 | 100% | ||
marcuz | 0 | 2,276,936,698 | 32.5% | ||
acont | 0 | 9,312,320,692 | 50% | ||
uche-nna | 0 | 5,354,800,513 | 4.16% | ||
barbz | 0 | 102,593,947,260 | 100% | ||
we-are-lucky | 0 | 224,143,731 | 0.7% | ||
cheese4ead | 0 | 4,352,596,894 | 2.6% | ||
mafufuma | 0 | 7,304,046,496 | 1% | ||
gaottantacinque | 0 | 488,757,689 | 100% | ||
cryptojiang | 0 | 130,629,396,998 | 100% | ||
nathyortiz | 0 | 1,077,901,511 | 2.6% | ||
nattybongo | 0 | 124,992,569,135 | 65% | ||
drsensor | 0 | 1,456,188,990 | 52% | ||
revueh | 0 | 1,868,693,744 | 32.5% | ||
qila | 0 | 501,869,354 | 5.2% | ||
ilovecryptopl | 0 | 833,374,183 | 4.16% | ||
purelyscience | 0 | 494,802,682 | 32.5% | ||
armandosodano | 0 | 11,814,727,722 | 2.6% | ||
acousticguitar | 0 | 14,114,754,838 | 50% | ||
marivic10 | 0 | 850,152,676 | 2.6% | ||
acidtiger | 0 | 721,720,186 | 2.6% | ||
gerdtrudroepke | 0 | 61,663,613,976 | 45.5% | ||
goblinknackers | 0 | 72,025,794,837 | 7% | ||
anttn | 0 | 26,766,515,293 | 2.6% | ||
bambinaacida | 0 | 2,384,777,231 | 50% | ||
reinaseq | 0 | 7,377,731,787 | 100% | ||
vixmemon | 0 | 1,555,727,355 | 3.9% | ||
honeycup-waters | 0 | 534,258,517 | 2.6% | ||
yaelg | 0 | 990,385,328 | 1.56% | ||
kylealex | 0 | 4,664,562,717 | 10% | ||
gasaeightyfive | 0 | 912,009,670 | 100% | ||
cubapl | 0 | 3,865,338,172 | 32.5% | ||
orlandogonzalez | 0 | 2,832,786,837 | 25% | ||
fran.frey | 0 | 4,212,979,515 | 50% | ||
perpetuum-lynx | 0 | 2,006,364,795 | 63.7% | ||
thelittlebank | 0 | 18,585,237,454 | 2.6% | ||
pboulet | 0 | 148,115,473,466 | 52% | ||
javyeslava.photo | 0 | 634,883,880 | 2.08% | ||
josesalazar200 | 0 | 553,113,904 | 5.2% | ||
stem-espanol | 0 | 19,816,925,098 | 100% | ||
futurekr | 0 | 1,316,990,323 | 100% | ||
cribbio | 0 | 1,853,724,186 | 100% | ||
cliffagreen | 0 | 4,842,656,379 | 10% | ||
aleestra | 0 | 12,765,742,030 | 80% | ||
palasatenea | 0 | 3,086,135,576 | 2.6% | ||
the.success.club | 0 | 2,846,516,315 | 2.6% | ||
javier.dejuan | 0 | 498,328,125 | 65% | ||
xmauron3 | 0 | 2,144,827,822 | 2.6% | ||
amansharma555 | 0 | 595,961,049 | 100% | ||
meanroosterfarm | 0 | 1,301,325,956 | 32.5% | ||
brianoflondon | 0 | 53,301,529,374 | 1.3% | ||
giulyfarci52 | 0 | 1,722,351,015 | 50% | ||
esthersanchez | 0 | 4,324,890,086 | 60% | ||
kristall97 | 0 | 21,977,734,694 | 100% | ||
steemcryptosicko | 0 | 9,855,098,752 | 1.04% | ||
certain | 0 | 1,112,722,955 | 0.62% | ||
multifacetas | 0 | 1,258,151,212 | 2.6% | ||
cowpatty | 0 | 1,359,595,799 | 32.5% | ||
stem.witness | 0 | 3,915,799,947 | 65% | ||
witkowskipawel | 0 | 844,927,707 | 2.6% | ||
hiddendragon | 0 | 638,628,782 | 38% | ||
pandapuzzles | 0 | 8,058,455,706 | 100% | ||
theskmeister | 0 | 522,297,263 | 100% | ||
autobodhi | 0 | 938,954,493 | 5.2% | ||
double-negative | 0 | 521,636,334 | 20% | ||
priyandaily | 0 | 4,617,924,813 | 40% | ||
vaultec | 0 | 5,464,220,720 | 12% | ||
steemstorage | 0 | 6,575,724,387 | 5.2% | ||
steemegg | 0 | 981,212,407 | 2.6% | ||
ragnarhewins90 | 0 | 481,293,291 | 10% | ||
jtm.support | 0 | 5,066,211,615 | 65% | ||
edithbdraw | 0 | 746,974,351 | 2.6% | ||
crowdwitness | 0 | 127,426,478,997 | 32.5% | ||
stevieboyes | 0 | 17,780,778,840 | 90% | ||
hairgistix | 0 | 2,987,571,170 | 2.6% | ||
peter-bot | 0 | 688,758,545 | 100% | ||
bluemaskman | 0 | 580,540,194 | 2.6% | ||
steemean | 0 | 10,065,622,697 | 5% | ||
raynen | 0 | 3,962,457,997 | 100% | ||
proxy-pal | 0 | 1,219,868,684 | 5.2% | ||
quentinvb | 0 | 479,260,050 | 100% | ||
deveney | 0 | 480,727,651 | 100% | ||
thelogicaldude | 0 | 1,291,657,109 | 1.04% | ||
pedrobrito2004 | 0 | 12,704,212,971 | 14% | ||
aaronkroeblinger | 0 | 111,761,459,786 | 50% | ||
cryptofiloz | 0 | 8,314,882,277 | 5.2% | ||
dawnoner | 0 | 1,657,373,485 | 0.52% | ||
filosof103 | 0 | 1,065,798,306 | 2.6% | ||
photographercr | 0 | 2,422,030,373 | 1.04% | ||
epicdice | 0 | 1,762,712,843 | 1.56% | ||
iamsaray | 0 | 1,146,810,019 | 2.6% | ||
robibasa | 0 | 27,985,207,310 | 10% | ||
akumagai | 0 | 17,457,298,723 | 100% | ||
beerlover | 0 | 2,041,695,600 | 1.56% | ||
tinyhousecryptos | 0 | 479,331,140 | 5% | ||
shogun82 | 0 | 0 | 100% | ||
rtron86 | 0 | 4,688,753,297 | 50% | ||
aicu | 0 | 1,360,281,251 | 5.2% | ||
walterprofe | 0 | 39,911,573,969 | 32.5% | ||
zeruxanime | 0 | 11,464,698,737 | 32.5% | ||
afarina46 | 0 | 1,807,547,017 | 32.5% | ||
hutty | 0 | 3,681,030,583 | 100% | ||
mind.force | 0 | 1,092,125,268 | 1.3% | ||
h-hamilton | 0 | 918,067,948 | 2.6% | ||
stemgeeks | 0 | 1,576,763,398 | 50% | ||
babytarazkp | 0 | 3,206,771,475 | 40% | ||
aicoding | 0 | 536,325,696 | 2.6% | ||
alypanda | 0 | 646,387,876 | 100% | ||
capp | 0 | 9,805,343,296 | 50% | ||
abh12345.stem | 0 | 1,435,303,793 | 100% | ||
tokensink | 0 | 2,936,408,700 | 5.2% | ||
elianaicgomes | 0 | 1,497,222,202 | 5% | ||
stem.alfa | 0 | 3,400,713,426 | 100% | ||
madisonelizabeth | 0 | 643,938,636 | 100% | ||
steemstem-trig | 0 | 1,356,067,866 | 65% | ||
baltai | 0 | 5,690,966,671 | 2.6% | ||
dmoonfire | 0 | 31,141,646,076 | 71% | ||
yggdrasil.laguna | 0 | 0 | 25% | ||
atheistrepublic | 0 | 5,858,856,022 | 2.6% | ||
machan | 0 | 660,103,047 | 2.6% | ||
ibt-survival | 0 | 36,223,636,576 | 10% | ||
jennyferandtony | 0 | 1,377,128,481 | 100% | ||
steemdiamond | 0 | 656,017,227 | 5.2% | ||
abachon | 0 | 859,601,397 | 5.2% | ||
sweetval | 0 | 13,516,990,515 | 50% | ||
zirky | 0 | 2,377,999,775 | 4.42% | ||
chapmain | 0 | 0 | 100% | ||
gloriaolar | 0 | 1,595,205,694 | 1.56% | ||
lightpaintershub | 0 | 649,245,749 | 1% | ||
bilpcoinbpc | 0 | 800,213,130 | 5% | ||
peterale | 0 | 2,425,093,170 | 2.6% | ||
yunnie | 0 | 752,582,360 | 100% | ||
hive-127039 | 0 | 482,454,262 | 25% | ||
andreina57 | 0 | 583,953,168 | 32.5% | ||
fsm-core | 0 | 11,671,459,803 | 50% | ||
educationhive | 0 | 1,649,923,877 | 2.6% | ||
stemsocial | 0 | 534,386,503,722 | 65% | ||
greenforever | 0 | 1,911,387,077 | 30% | ||
veeart | 0 | 832,468,240 | 50% | ||
holoferncro | 0 | 4,487,274,784 | 10% | ||
the100 | 0 | 1,212,281,676 | 2.6% | ||
pimpstudio | 0 | 9,386,334,705 | 100% | ||
hiveonboard | 0 | 2,928,710,898 | 1.95% | ||
kiemurainen | 0 | 485,711,960 | 2.18% | ||
noelyss | 0 | 19,697,205,291 | 32.5% | ||
jsalvage | 0 | 1,630,374,582 | 32.5% | ||
anafae | 0 | 553,552,124 | 1.04% | ||
hivecoffee | 0 | 554,103,676 | 5.2% | ||
mercurial9 | 0 | 75,350,316,190 | 100% | ||
gohive | 0 | 11,290,002,674 | 100% | ||
sevenoh-fiveoh | 0 | 888,970,352 | 2.6% | ||
treefiddybruh | 0 | 1,629,529,375 | 2.6% | ||
aabcent | 0 | 10,014,004,512 | 4.16% | ||
davideazul | 0 | 635,715,223 | 5.2% | ||
altleft | 0 | 21,613,506,966 | 0.05% | ||
omarrojas | 0 | 2,230,715,486 | 2.6% | ||
noalys | 0 | 927,562,744 | 2.6% | ||
evagavilan2 | 0 | 919,490,883 | 2.6% | ||
gonklavez9 | 0 | 1,261,926,662 | 65% | ||
dorkpower | 0 | 4,050,704,376 | 100% | ||
ebon123 | 0 | 646,580,145 | 100% | ||
hive-144994 | 0 | 479,571,236 | 100% | ||
mattbee | 0 | 604,265,007 | 100% | ||
apendix1994 | 0 | 3,795,053,543 | 90% | ||
koshwe | 0 | 889,161,062 | 50% | ||
chubb149 | 0 | 855,162,334 | 7.8% | ||
cosplay.hadr | 0 | 1,159,873,735 | 5.2% | ||
hadrgames | 0 | 1,194,497,642 | 5.2% | ||
rawecz | 0 | 678,234,366 | 5.2% | ||
maar | 0 | 615,944,271 | 65% | ||
meritocracy | 0 | 58,304,850,171 | 0.52% | ||
sillybilly | 0 | 556,314,496 | 100% | ||
he-index | 0 | 3,063,236,639 | 10% | ||
meestemboom | 0 | 1,475,017,312 | 100% | ||
dcrops | 0 | 34,014,270,267 | 2.6% | ||
krishu.stem | 0 | 391,601,150 | 100% | ||
peerfinance | 0 | 51,588,970,129 | 100% | ||
hive-126300 | 0 | 494,193,056 | 100% | ||
dronegirl | 0 | 274,029,497 | 100% | ||
tawadak24 | 0 | 2,074,318,439 | 2.6% | ||
eturnerx-honey | 0 | 205,342,721 | 0.7% | ||
adamada.stem | 0 | 4,486,612,816 | 100% | ||
elgatoshawua | 0 | 617,796,166 | 2.6% | ||
arunbiju969 | 0 | 553,056,848 | 14% | ||
farleyfund | 0 | 5,808,771,821 | 100% | ||
limn | 0 | 800,775,587 | 2.6% | ||
wynella | 0 | 1,013,349,031 | 2.6% | ||
nyxlabs | 0 | 917,974,719 | 3.25% | ||
dodovietnam | 0 | 3,046,143,844 | 2.6% | ||
mayorkeys | 0 | 18,625,723,840 | 30% | ||
oahb132 | 0 | 1,032,080,257 | 32.5% | ||
failingforwards | 0 | 3,119,940,051 | 2.6% | ||
moraviareosa | 0 | 10,178,605 | 100% | ||
drricksanchez | 0 | 13,259,777,628 | 2.6% | ||
trouvaille | 0 | 654,089,827 | 2.6% | ||
mayllerlys | 0 | 481,041,700 | 50% | ||
high8125theta | 0 | 44,320,590,862 | 60% | ||
juecoree.stem | 0 | 678,657,572 | 100% | ||
trippymane | 0 | 1,593,755,185 | 5.2% | ||
nfttunz | 0 | 7,892,954,473 | 0.52% | ||
atexoras.pub | 0 | 1,194,876,532 | 2.6% | ||
krrizjos18 | 0 | 2,848,799,892 | 32.5% | ||
holovision.stem | 0 | 6,886,280,497 | 100% | ||
hubeyma | 0 | 905,907,318 | 2.6% | ||
mirteg | 0 | 666,603,570 | 5.2% | ||
sarashew | 0 | 3,674,383,055 | 5.2% | ||
podping | 0 | 7,284,827,611 | 1.3% | ||
nabu.doconosor2 | 0 | 952,212,870 | 32.5% | ||
drhueso | 0 | 1,209,821,348 | 2.6% | ||
pinkfloyd878 | 0 | 4,696,171,301 | 100% | ||
solominer.stem | 0 | 833,386,859 | 100% | ||
lycanskiss | 0 | 2,117,115,378 | 100% | ||
mayberlys | 0 | 2,124,833,600 | 50% | ||
irivers | 0 | 315,464,976 | 100% | ||
jaydr | 0 | 1,043,421,298 | 2.6% | ||
laviesm | 0 | 5,743,769,746 | 50% | ||
danokoroafor | 0 | 497,324,184 | 2.6% | ||
rhiaji | 0 | 1,408,504,478 | 100% | ||
sidalim88 | 0 | 2,869,193,432 | 2.6% | ||
torz18 | 0 | 3,991,935,997 | 100% | ||
aries90 | 0 | 43,944,400,984 | 5.2% | ||
rencongland | 0 | 530,257,708 | 2.6% | ||
cugel | 0 | 2,214,646,712 | 2.6% | ||
acantoni | 0 | 844,923,227 | 2.6% | ||
gambit-x | 0 | 7,195,925,378 | 100% | ||
t0xicgh0st | 0 | 479,060,964 | 100% | ||
axelx12 | 0 | 1,750,918,643 | 100% | ||
spryquasar | 0 | 492,386,123 | 32.5% | ||
anonymous02 | 0 | 510,418,849 | 5.2% | ||
h3m4n7 | 0 | 674,695,356 | 2.6% | ||
jude9 | 0 | 4,296,766,779 | 16.25% | ||
kingz1338 | 0 | 750,454,674 | 100% | ||
kingz1339 | 0 | 750,470,437 | 100% | ||
simonm32 | 0 | 1,181,620,423 | 90% | ||
yixn | 0 | 50,966,025,338 | 2.6% | ||
alt3r | 0 | 1,254,107,576 | 4% | ||
mcookies | 0 | 479,482,423 | 2.6% | ||
waivio.curator | 0 | 1,994,150,202 | 3.74% | ||
theshot2414 | 0 | 1,835,127,678 | 4% | ||
raph1 | 0 | 3,689,832,778 | 100% | ||
pompeylad | 0 | 4,770,463,825 | 100% | ||
aichanbot | 0 | 1,945,553,060 | 5.2% | ||
ehizgabriel | 0 | 609,573,601 | 32.5% | ||
crypt0gnome | 0 | 7,971,211,128 | 1.04% | ||
albuslucimus | 0 | 1,266,840,911 | 2.6% | ||
marlonfund | 0 | 1,093,145,559 | 100% | ||
taradraz1 | 0 | 1,129,970,799 | 100% | ||
netvalar | 0 | 5,360,491,022 | 50% | ||
be-alysha | 0 | 6,189,857,615 | 88% | ||
dondido | 0 | 2,516,814,020 | 5.2% | ||
njclabaugh | 0 | 479,495,215 | 100% | ||
balabambuz | 0 | 697,444,305 | 2.6% | ||
prosocialise | 0 | 53,419,156,637 | 32.5% | ||
bhdc | 0 | 1,923,676,178 | 5.2% | ||
archangel21 | 0 | 648,499,987 | 5.2% | ||
plicc8 | 0 | 6,174,099,088 | 65% | ||
street.curator | 0 | 951,704,153 | 50% | ||
filmmaking4hive | 0 | 2,003,908,662 | 5.2% | ||
amafable07 | 0 | 618,471,262 | 32.5% | ||
mugueto2022 | 0 | 553,450,145 | 20% | ||
ricardoeloy | 0 | 502,648,664 | 13% | ||
windail1 | 0 | 2,077,124,641 | 100% | ||
nazom | 0 | 767,737,143 | 32.5% | ||
baboz | 0 | 1,313,391,903 | 1.3% | ||
mr-rent | 0 | 4,050,706,866 | 75% | ||
soyjoselopez | 0 | 482,337,650 | 20% | ||
sbtofficial | 0 | 4,503,933,513 | 2.6% | ||
vagabond42069 | 0 | 1,404,731,103 | 32.5% | ||
inibless | 0 | 3,356,332,244 | 32.5% | ||
gejami | 0 | 6,440,636,862 | 100% | ||
daje10 | 0 | 19,577,797,106 | 50% | ||
sc000 | 0 | 1,259,881,470 | 5.2% | ||
vankushfamily | 0 | 623,504,827 | 32.5% | ||
smariam | 0 | 2,448,907,407 | 25% | ||
minas-glory | 0 | 3,305,410,824 | 2.6% | ||
clpacksperiment | 0 | 2,868,423,795 | 2.6% | ||
the-grandmaster | 0 | 3,431,276,841 | 2.6% | ||
the-burn | 0 | 3,431,656,327 | 2.6% | ||
ninjakitten | 0 | 16,341,898,375 | 100% | ||
abu78 | 0 | 5,954,140,719 | 22.75% | ||
reverio | 0 | 1,245,003,863 | 5% | ||
lettinggotech | 0 | 1,200,762,204 | 2.6% | ||
timix648 | 0 | 528,068,582 | 100% | ||
stem-shturm | 0 | 116,588,170 | 100% | ||
laro-racing | 0 | 4,996,423,023 | 1.56% | ||
punkteam | 0 | 274,154,319,763 | 5.2% | ||
vscampbell | 0 | 27,983,086,912 | 50% |
Congratulations @jesalmofficial! You have completed the following achievement on the Hive blockchain And have been rewarded with New badge(s) <table><tr><td><img src="https://images.hive.blog/60x60/http://hivebuzz.me/badges/postallweek.png"></td><td>You have been a buzzy bee and published a post every day of the week.</td></tr> </table> <sub>_You can view your badges on [your board](https://hivebuzz.me/@jesalmofficial) and compare yourself to others in the [Ranking](https://hivebuzz.me/ranking)_</sub> <sub>_If you no longer want to receive notifications, reply to this comment with the word_ `STOP`</sub> **Check out our last posts:** <table><tr><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day25"><img src="https://images.hive.blog/64x128/https://files.peakd.com/file/peakd-hive/hivebuzz/48QubPV7vY4ZQYQdRLa3qfAN4vXDvRMe8XeyDrWiEEgB7R44ArhhoWdjt2Bvc9KVSg.png"></a></td><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day25">HiveBuzz World Cup Contest - Recap of the Final</a></td></tr><tr><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day24"><img src="https://images.hive.blog/64x128/https://files.peakd.com/file/peakd-hive/hivebuzz/48Un3Uki6ggsSuVELUGhLaHwrzjyXNBGLss6aQ6BMMpURYFJR3c9CYtSK3xqwV2Mrf.png"></a></td><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day24">Women's World Cup Contest - Recap of the play-off for third place</a></td></tr><tr><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day23"><img src="https://images.hive.blog/64x128/https://files.peakd.com/file/peakd-hive/hivebuzz/48VFyuwmVHrZK7zKrzGvEc2Av2dAWxM113riYiNertiexWQhmv4XptHKWh4Q1gmHVG.png"></a></td><td><a href="/hive-102201/@hivebuzz/wc2023-recap-day23">Women's World Cup Contest - Recap of the second Semi-Final</a></td></tr></table>
author | hivebuzz |
---|---|
permlink | notify-jesalmofficial-20230821t061948 |
category | hive-196387 |
json_metadata | {"image":["http://hivebuzz.me/notify.t6.png"]} |
created | 2023-08-21 06:19:48 |
last_update | 2023-08-21 06:19:48 |
depth | 1 |
children | 0 |
last_payout | 2023-08-28 06:19:48 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.000 HBD |
curator_payout_value | 0.000 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 1,737 |
author_reputation | 369,388,061,433,347 |
root_title | "Classes and Objects | Clases y Objetos - Coding Basics #9 [EN/ES]" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 126,452,383 |
net_rshares | 0 |
<div class='text-justify'> <div class='pull-left'> <img src='https://stem.openhive.network/images/stemsocialsupport7.png'> </div> Thanks for your contribution to the <a href='/trending/hive-196387'>STEMsocial community</a>. Feel free to join us on <a href='https://discord.gg/9c7pKVD'>discord</a> to get to know the rest of us! Please consider delegating to the @stemsocial account (85% of the curation rewards are returned). You may also include @stemsocial as a beneficiary of the rewards of this post to get a stronger support. <br /> <br /> </div>
author | stemsocial |
---|---|
permlink | re-jesalmofficial-classes-and-objects-or-clases-y-objetos-coding-basics-9-enes-20230821t180135167z |
category | hive-196387 |
json_metadata | {"app":"STEMsocial"} |
created | 2023-08-21 18:01:33 |
last_update | 2023-08-21 18:01:33 |
depth | 1 |
children | 0 |
last_payout | 2023-08-28 18:01:33 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.000 HBD |
curator_payout_value | 0.000 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 565 |
author_reputation | 22,918,229,493,305 |
root_title | "Classes and Objects | Clases y Objetos - Coding Basics #9 [EN/ES]" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 126,466,753 |
net_rshares | 0 |