Cordiales Saludos <center>  </center> #### Conjuntos Un conjunto es una colección de elementos los cuales se pueden modificar, estos elementos no manejan ningún orden (están desordenados) y no acepta duplicados. Los elementos los agrupamos dentro de **{ }** al momento de declararlos o crearlos. ##### Declaración o Creación de conjuntos ~~~ >>> colores = {'azul','rojo', 'amarillo'} >>> colores {'amarillo', 'azul', 'rojo'} ~~~ ##### type( ), dir( ) ~~~ >>> type(colores) <class 'set'> >>> dir(colores) ['__and__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__iand__', '__init__', '__init_subclass__', '__ior__', '__isub__', '__iter__', '__ixor__', '__le__', '__len__', '__lt__', '__ne__', '__new__', '__or__', '__rand__', '__reduce__', '__reduce_ex__', '__repr__', '__ror__', '__rsub__', '__rxor__', '__setattr__', '__sizeof__', '__str__', '__sub__', '__subclasshook__', '__xor__', 'add', 'clear', 'copy', 'difference', 'difference_update', 'discard', 'intersection', 'intersection_update', 'isdisjoint', 'issubset', 'issuperset', 'pop', 'remove', 'symmetric_difference', 'symmetric_difference_update', 'union', 'update'] >>> ~~~ ### Otras formas de declarar o crear conjuntos Conjunto a partir de una lista ~~~ >>> conjunto_lista = set([1,2,3,4,5,]) >>> conjunto_lista {1, 2, 3, 4, 5} >>> type(conjunto_lista) <class 'set'> ~~~ Conjunto a partir de una tupla ~~~ >>> conjunto_tupla = set((100,200,300,400)) >>> conjunto_tupla {200, 100, 400, 300} ~~~ Conjunto a partir de un string ~~~ >>> cadena_texto = set('Rafael') >>> cadena_texto {'f', 'l', 'e', 'a', 'R'} >>> type(cadena_texto) <class 'set'> ~~~ Creando un Conjunto vacio ~~~ >>> conjunto_vacio = set() >>> conjunto_vacio set() >>> type(conjunto_vacio) <class 'set'> >>> ~~~ Conjunto a partir de un rango ~~~ >>> conj_rango = set(range(5)) >>> conj_rango {0, 1, 2, 3, 4} >>> type(conj_rango) <class 'set'> >>> ~~~ #### Métodos ##### .add : Agregar Elementos a un conjunto Teniendo el conjunto: **conj_rango**, previamente creado le vamos a agregar un nuevo elemento. En este caso el número 100, para esta operación utilizamos el método **.add**. ~~~ >>> conj_rango {0, 1, 2, 3, 4} >>> conj_rango.add(100) >>> conj_rango {0, 1, 2, 3, 4, 100} >>> ~~~ ##### .update : Agregar Elementos Iterables Update lo utilizaremos para agregar más de un elemento, es decir varios elementos con una sola operación. Actualización del conjunto con **lista** ~~~ >>> lista = [5,6,7,8] >>> conj_rango.update(lista) >>> conj_rango {0, 1, 2, 3, 4, 100, 5, 6, 7, 8} ~~~ Actuializacion del conjunto con **tupla** ~~~ >>> tupla = (9,10,11) >>> conj_rango.update(tupla) >>> conj_rango {0, 1, 2, 3, 4, 100, 5, 6, 7, 8, 9, 10, 11} ~~~ Actualización del conjunto con **range** ~~~ >>> rango = range(12,15) >>> conj_rango.update(rango) >>> conj_rango {0, 1, 2, 3, 4, 100, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} ~~~ ##### .discard(): Permite eliminar un elemento. PRIMER CASO. Si el elemento existe. En este caso eliminaremos el número **100**, Al existir en el conjunto lo elimina automáticamente. ~~~ conj_rango {0, 1, 2, 3, 4, 100, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.discard(100) >>> conj_rango {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} ~~~ SEGUNDO CASO. Si el elemento no existe. En este caso eliminaremos el número **20** con la instrucción: conj_rango.discard(20). Al realizar el proceso como no existe el número **20**, no realiza la eliminación y **no da error**. ~~~ >>> conj_rango {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.discard(20) >>> conj_rango {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} ~~~ ##### .remove(): Elimina un elemento del conjunto PRIMER CASO. Si el elemento existe lo elimina automáticamente. En este caso eliminaremos el número **0**, existente en: **conj_rango** ~~~ >>> conj_rango {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.remove(0) >>> conj_rango {1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} ~~~ SEGUNDO CASO. Si el elemento no existe. En este caso eliminaremos el número 15 con la instrucción: conj_rango.remove(15). Al realizar el proceso como el número **15** no existe en el conjunto python nos lanza un error de tipo **KeyError**. ~~~ >>> conj_rango {1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.remove(15) Traceback (most recent call last): File "<stdin>", line 1, in <module> KeyError: 15 ~~~ ##### .pop(): Elimina un elemento de forma aleatoria. En este caso al ejecutar: **conj_rango.pop()** se eliminó el elemento: **1** (De forma aleatoria) ~~~ >>> conj_rango {1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.pop() 1 >>> conj_rango {2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} ~~~ ##### .clear(): Permite eliminar todos los elementos del conjunto. ~~~ >>> conj_rango {2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14} >>> conj_rango.clear() >>> conj_rango set() >>> ~~~ --- Queda pendiente para la próxima publicación: Operaciones con conjuntos. Para revisar las publicaciones anteriores del **Curso Intermedio de Python** entra al siguiente link: https://siraquino.github.io/pythoncumanes/intermediopython.html --- ## Profundizando en python Podemos Ejecutar líneas de códigos directamente desde nuestra terminal: ~~~ rafael@HP:~$ rafael@HP:~$ python3 -c 'print("Mensaje Python")' Mensaje Python rafael@HP:~$ rafael@HP:~$ ~~~ #### Ejercicio: Ejecutar desde la terminal una instrucción de python donde se muestre el Zen de Python. Se debe redireccionar la salida del Zen de Python a un archivo de texto denominado zen.txt y mostrarlo con el comando **cat**. Respuesta: ~~~ rafael@HP:~$ python3 -c 'import this' > zen.txt; cat zen.txt ~~~ ~~~ rafael@HP:~$ rafael@HP:~$ python3 -c 'import this' > zen.txt; cat zen.txt The Zen of Python, by Tim Peters Beautiful is better than ugly. Explicit is better than implicit. Simple is better than complex. Complex is better than complicated. Flat is better than nested. Sparse is better than dense. Readability counts. Special cases aren't special enough to break the rules. Although practicality beats purity. Errors should never pass silently. Unless explicitly silenced. In the face of ambiguity, refuse the temptation to guess. There should be one-- and preferably only one --obvious way to do it. Although that way may not be obvious at first unless you're Dutch. Now is better than never. Although never is often better than *right* now. If the implementation is hard to explain, it's a bad idea. If the implementation is easy to explain, it may be a good idea. Namespaces are one honking great idea -- let's do more of those! rafael@HP:~$ rafael@HP:~$ ~~~ Este ejercicio lo coloqué en mi Twitter. Aquí lo muestro. https://twitter.com/Rafa_elaquino/status/1635672136110026754?s=20 --- #### Invitación Te invito a que sigas mi curso de **linux**. En este curso Intermedio de Python trabajaremos con este sistema operativo. Link: https://siraquino.github.io/pythoncumanes/linux.html --- Recurso para aprender Python [Curso Gratis de Programación](https://siraquino.github.io/pythoncumanes/) [Curso de Programación Básica](https://siraquino.github.io/pythoncumanes/programacionbasica.html) --- [Mi Twitter](https://twitter.com/Rafa_elaquino) [Mi facebook](https://www.facebook.com/rafael.aquino.5815)
author | rafaelaquino |
---|---|
permlink | curso-intermedio-de-python-n03-conjuntos |
category | hive-154226 |
json_metadata | {"app":"peakd/2023.7.1","format":"markdown","tags":["developspanish","stem-espanol","stemsocial","linux","python","original-content","developer","spanish","tecnologia","programador"],"users":[],"image":["https://files.peakd.com/file/peakd-hive/rafaelaquino/23uR9nP9MBmdK1pLJqBiwnkoFPy8hjMTMz9JbkysVkT7TEx5S3mrsB1G61oTFQBDa5SVg.png"]} |
created | 2023-07-19 16:29:27 |
last_update | 2023-07-19 16:29:27 |
depth | 0 |
children | 2 |
last_payout | 2023-07-26 16:29:27 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 1.134 HBD |
curator_payout_value | 1.092 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 7,541 |
author_reputation | 109,075,590,980,629 |
root_title | "Curso Intermedio de Python N03 Conjuntos" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 125,458,133 |
net_rshares | 4,774,221,525,724 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
eric-boucher | 0 | 1,931,446,353 | 0.4% | ||
thecryptodrive | 0 | 812,814,020 | 0.16% | ||
roelandp | 0 | 44,127,870,740 | 5% | ||
cloh76 | 0 | 529,492,155 | 0.4% | ||
stea90 | 0 | 1,020,559,856 | 1% | ||
akipponn | 0 | 656,177,391 | 5% | ||
avellana | 0 | 81,850,109,469 | 80% | ||
lordvader | 0 | 6,247,419,918 | 0.8% | ||
lemouth | 0 | 300,498,511,073 | 10% | ||
lamouthe | 0 | 742,544,817 | 10% | ||
tfeldman | 0 | 737,562,243 | 0.4% | ||
metabs | 0 | 1,031,273,216 | 10% | ||
mcsvi | 0 | 115,709,734,253 | 50% | ||
cnfund | 0 | 1,524,707,902 | 0.8% | ||
justyy | 0 | 5,026,826,065 | 0.8% | ||
curie | 0 | 60,521,909,413 | 0.8% | ||
techslut | 0 | 23,581,874,027 | 4% | ||
steemstem | 0 | 181,376,620,234 | 10% | ||
edb | 0 | 964,091,132 | 1% | ||
walterjay | 0 | 61,914,842,564 | 5% | ||
valth | 0 | 1,529,561,882 | 5% | ||
metroair | 0 | 3,317,048,884 | 0.8% | ||
dna-replication | 0 | 345,692,243 | 10% | ||
oscarps | 0 | 9,182,372,123 | 100% | ||
dhimmel | 0 | 51,668,778,471 | 2.5% | ||
detlev | 0 | 3,200,964,554 | 0.24% | ||
federacion45 | 0 | 1,213,246,045 | 0.4% | ||
iansart | 0 | 1,550,188,569 | 0.4% | ||
mobbs | 0 | 14,802,521,727 | 5% | ||
eliel | 0 | 1,876,803,584 | 0.8% | ||
jerrybanfield | 0 | 2,546,544,223 | 0.8% | ||
rt395 | 0 | 1,784,958,991 | 1.5% | ||
bitrocker2020 | 0 | 1,405,717,845 | 0.12% | ||
maxdevalue | 0 | 5,840,129,509 | 0.8% | ||
sustainablyyours | 0 | 4,195,320,272 | 5% | ||
arunava | 0 | 3,437,374,712 | 0.32% | ||
samminator | 0 | 6,982,543,974 | 5% | ||
enjar | 0 | 5,674,634,404 | 0.72% | ||
lorenzor | 0 | 1,329,234,055 | 50% | ||
alexander.alexis | 0 | 6,048,624,753 | 10% | ||
jayna | 0 | 1,026,988,178 | 0.16% | ||
princessmewmew | 0 | 1,039,020,651 | 0.4% | ||
joeyarnoldvn | 0 | 480,400,695 | 1.47% | ||
gunthertopp | 0 | 10,529,479,427 | 0.2% | ||
empath | 0 | 548,965,575 | 0.4% | ||
eturnerx | 0 | 11,704,665,912 | 0.6% | ||
minnowbooster | 0 | 1,040,835,738,969 | 20% | ||
howo | 0 | 322,421,955,912 | 10% | ||
tsoldovieri | 0 | 1,006,230,474 | 5% | ||
steemwizards | 0 | 512,386,361 | 0.8% | ||
neumannsalva | 0 | 629,634,214 | 0.4% | ||
stayoutoftherz | 0 | 21,045,017,064 | 0.2% | ||
abigail-dantes | 0 | 3,632,087,759 | 10% | ||
zonguin | 0 | 489,917,638 | 2.5% | ||
investingpennies | 0 | 2,930,135,270 | 0.8% | ||
aurodivys | 0 | 39,595,820,772 | 100% | ||
iamphysical | 0 | 781,127,922 | 90% | ||
zyx066 | 0 | 735,096,254 | 0.24% | ||
revo | 0 | 1,549,746,517 | 0.8% | ||
azulear | 0 | 1,307,301,510 | 100% | ||
sofiaquino98 | 0 | 130,494,347,163 | 100% | ||
djlethalskillz | 0 | 1,817,236,693 | 5% | ||
psicoluigi | 0 | 783,809,858 | 50% | ||
rocky1 | 0 | 115,376,568,106 | 0.12% | ||
thelordsharvest | 0 | 685,440,352 | 0.8% | ||
sumant | 0 | 1,807,858,599 | 0.4% | ||
aidefr | 0 | 996,765,650 | 5% | ||
tomiscurious | 0 | 5,336,184,610 | 1% | ||
fatman | 0 | 8,951,100,452 | 2% | ||
splash-of-angs63 | 0 | 488,300,496 | 10% | ||
meno | 0 | 3,661,540,969 | 0.4% | ||
doifeellucky | 0 | 2,371,964,207 | 0.4% | ||
enzor | 0 | 604,321,520 | 10% | ||
bartosz546 | 0 | 627,319,191 | 0.4% | ||
florian-glechner | 0 | 677,112,183 | 0.08% | ||
sunsea | 0 | 558,287,377 | 0.4% | ||
postpromoter | 0 | 225,022,228,771 | 10% | ||
steveconnor | 0 | 635,681,927 | 0.4% | ||
sandracarrascal | 0 | 490,968,769 | 50% | ||
kenadis | 0 | 2,664,516,886 | 10% | ||
amaponian | 0 | 1,300,054,312 | 100% | ||
salvao | 0 | 670,683,364 | 80% | ||
madridbg | 0 | 3,894,502,557 | 10% | ||
robotics101 | 0 | 2,942,076,143 | 10% | ||
punchline | 0 | 2,140,815,228 | 0.8% | ||
sco | 0 | 2,695,414,577 | 10% | ||
ennyta | 0 | 973,545,513 | 50% | ||
juecoree | 0 | 758,011,125 | 7% | ||
abeba | 0 | 3,070,705,565 | 50% | ||
ydavgonzalez | 0 | 2,201,308,896 | 10% | ||
intrepidphotos | 0 | 29,181,027,796 | 7.5% | ||
fineartnow | 0 | 527,063,218 | 0.4% | ||
communitybank | 0 | 594,746,008 | 0.8% | ||
fragmentarion | 0 | 2,630,178,916 | 10% | ||
utube | 0 | 643,467,669 | 0.8% | ||
dynamicrypto | 0 | 3,000,122,059 | 1% | ||
pavelnunez | 0 | 8,641,833,260 | 100% | ||
neneandy | 0 | 876,994,207 | 0.8% | ||
sportscontest | 0 | 785,951,873 | 0.8% | ||
pandasquad | 0 | 1,749,205,283 | 0.8% | ||
miguelangel2801 | 0 | 780,268,748 | 50% | ||
fantasycrypto | 0 | 641,716,099 | 0.8% | ||
franciscomarval | 0 | 967,879,551 | 100% | ||
emiliomoron | 0 | 1,461,840,655 | 5% | ||
photohunt | 0 | 502,289,378 | 0.8% | ||
geopolis | 0 | 620,421,778 | 10% | ||
robertbira | 0 | 1,038,382,076 | 2.5% | ||
alexdory | 0 | 1,495,454,131 | 10% | ||
takowi | 0 | 15,159,835,866 | 0.8% | ||
melvin7 | 0 | 6,153,993,092 | 5% | ||
francostem | 0 | 1,338,453,028 | 10% | ||
endopediatria | 0 | 690,084,035 | 20% | ||
omarmontes | 0 | 55,810,588,461 | 90% | ||
andresromero | 0 | 3,404,275,716 | 90% | ||
croctopus | 0 | 1,392,917,235 | 100% | ||
amigoponc | 0 | 6,526,819,671 | 100% | ||
superlotto | 0 | 2,346,941,121 | 0.8% | ||
emperatriz1503 | 0 | 22,384,567,437 | 100% | ||
movingman | 0 | 555,901,781 | 20% | ||
tomastonyperez | 0 | 16,782,226,923 | 50% | ||
elvigia | 0 | 10,750,964,179 | 50% | ||
sanderjansenart | 0 | 688,127,544 | 0.4% | ||
laxam | 0 | 5,334,071,225 | 100% | ||
qberry | 0 | 495,899,140 | 0.4% | ||
juanmanuellopez1 | 0 | 3,069,387,635 | 80% | ||
braaiboy | 0 | 1,453,613,156 | 0.4% | ||
toronyor | 0 | 482,120,804 | 100% | ||
gadrian | 0 | 53,968,945,583 | 7.5% | ||
therising | 0 | 13,680,317,558 | 0.8% | ||
de-stem | 0 | 5,433,178,473 | 9.9% | ||
imcore | 0 | 863,716,861 | 10% | ||
gogreenbuddy | 0 | 33,946,036,517 | 0.8% | ||
marijo-rm | 0 | 108,584,519,984 | 100% | ||
josedelacruz | 0 | 4,703,933,462 | 50% | ||
lorenzopistolesi | 0 | 1,459,626,345 | 0.4% | ||
oscurity | 0 | 872,839,485 | 10% | ||
erickyoussif | 0 | 642,738,384 | 100% | ||
deholt | 0 | 537,952,385 | 8.5% | ||
diabonua | 0 | 723,294,860 | 0.4% | ||
temitayo-pelumi | 0 | 861,668,343 | 10% | ||
andrick | 0 | 848,413,933 | 50% | ||
doctor-cog-diss | 0 | 7,933,410,808 | 10% | ||
uche-nna | 0 | 880,331,146 | 0.64% | ||
citizendog | 0 | 694,403,003 | 0.8% | ||
cheese4ead | 0 | 576,601,768 | 0.4% | ||
mafufuma | 0 | 7,442,698,167 | 1% | ||
nattybongo | 0 | 5,352,084,171 | 10% | ||
radiosteemit | 0 | 17,660,486,818 | 100% | ||
bflanagin | 0 | 1,010,362,777 | 0.4% | ||
armandosodano | 0 | 1,688,189,261 | 0.4% | ||
goblinknackers | 0 | 71,595,490,952 | 7% | ||
reinaseq | 0 | 7,251,313,070 | 100% | ||
kylealex | 0 | 4,539,688,345 | 10% | ||
fran.frey | 0 | 4,130,937,121 | 50% | ||
thelittlebank | 0 | 2,541,285,546 | 0.4% | ||
pboulet | 0 | 21,912,910,980 | 8% | ||
stem-espanol | 0 | 19,076,290,887 | 100% | ||
voter001 | 0 | 969,640,821 | 1.2% | ||
voter002 | 0 | 367,599,767 | 1.1% | ||
voter003 | 0 | 5,259,649,528 | 2.5% | ||
cliffagreen | 0 | 4,701,699,099 | 10% | ||
lagitana | 0 | 3,997,056,588 | 80% | ||
naty16 | 0 | 10,446,668,970 | 20% | ||
brianoflondon | 0 | 10,660,928,782 | 0.2% | ||
giulyfarci52 | 0 | 1,688,217,046 | 50% | ||
esthersanchez | 0 | 4,281,716,074 | 60% | ||
steemcryptosicko | 0 | 1,525,865,910 | 0.16% | ||
cakemonster | 0 | 501,281,517 | 0.8% | ||
stem.witness | 0 | 554,841,674 | 10% | ||
steemstorage | 0 | 960,641,893 | 0.8% | ||
aqua.nano | 0 | 739,382,970 | 100% | ||
crowdwitness | 0 | 12,523,485,887 | 5% | ||
apokruphos | 0 | 11,657,832,023 | 2% | ||
steemean | 0 | 10,049,644,534 | 5% | ||
extravagante | 0 | 1,732,389,325 | 100% | ||
cryptofiloz | 0 | 1,239,381,160 | 0.8% | ||
robibasa | 0 | 27,688,507,469 | 10% | ||
lmvc | 0 | 1,523,629,851 | 64% | ||
rtron86 | 0 | 4,637,020,123 | 50% | ||
zeruxanime | 0 | 1,728,881,200 | 5% | ||
lfu-radio | 0 | 926,235,648 | 50% | ||
beta500 | 0 | 518,271,990 | 0.8% | ||
lmvc-spaco | 0 | 838,488,660 | 64% | ||
andresrk | 0 | 812,849,389 | 48% | ||
steemstem-trig | 0 | 164,442,628 | 10% | ||
baltai | 0 | 798,639,491 | 0.4% | ||
atheistrepublic | 0 | 835,703,260 | 0.4% | ||
ibt-survival | 0 | 35,780,313,015 | 10% | ||
xerxes.alpha | 0 | 3,155,132,060 | 100% | ||
nanyuris | 0 | 6,890,128,502 | 100% | ||
lightpaintershub | 0 | 661,749,538 | 1% | ||
jennyzer | 0 | 11,331,418,365 | 50% | ||
radiohive | 0 | 33,080,756,718 | 100% | ||
stemsocial | 0 | 80,966,606,222 | 10% | ||
globalcurrencies | 0 | 4,340,462,119 | 100% | ||
hiveonboard | 0 | 607,205,141 | 0.4% | ||
combination | 0 | 128,929,316,861 | 25% | ||
kvfm | 0 | 2,183,628,450 | 50% | ||
noelyss | 0 | 3,727,486,783 | 5% | ||
laradio | 0 | 4,942,781,563 | 100% | ||
mercmarg | 0 | 10,519,455,869 | 40% | ||
quinnertronics | 0 | 14,841,447,439 | 7% | ||
carmenm20 | 0 | 3,032,240,380 | 100% | ||
rafabvr | 0 | 529,835,384 | 100% | ||
aabcent | 0 | 1,798,254,172 | 0.64% | ||
cleydimar2000 | 0 | 8,852,563,016 | 50% | ||
mau189gg | 0 | 1,683,527,189 | 50% | ||
radiolovers | 0 | 21,240,545,758 | 100% | ||
ciresophen | 0 | 12,087,751,037 | 100% | ||
alberto0607 | 0 | 2,721,087,568 | 100% | ||
darlingomaet1 | 0 | 1,581,870,789 | 100% | ||
junydoble | 0 | 1,865,481,928 | 70% | ||
victor816 | 0 | 1,065,875,468 | 100% | ||
meritocracy | 0 | 8,876,650,645 | 0.08% | ||
jmsansan | 0 | 580,903,477 | 0.4% | ||
bea23 | 0 | 28,426,715,374 | 100% | ||
ciudadcreativa | 0 | 3,874,026,492 | 80% | ||
traderhive | 0 | 1,823,010,825 | 0.8% | ||
mayorkeys | 0 | 21,184,012,038 | 30% | ||
trouvaille | 0 | 12,841,598,778 | 50% | ||
edinson001 | 0 | 1,116,615,345 | 100% | ||
nfttunz | 0 | 1,194,103,954 | 0.08% | ||
helencct | 0 | 1,912,590,312 | 100% | ||
sarashew | 0 | 518,559,705 | 0.8% | ||
podping | 0 | 1,111,853,363 | 0.2% | ||
pinkfloyd878 | 0 | 4,659,229,821 | 100% | ||
fabianar25 | 0 | 939,646,776 | 50% | ||
ronymaffi | 0 | 2,713,704,409 | 100% | ||
shakavon | 0 | 641,309,093 | 50% | ||
seinkalar | 0 | 648,939,985 | 0.8% | ||
aries90 | 0 | 6,248,174,212 | 0.8% | ||
yixn | 0 | 6,675,218,789 | 0.4% | ||
mcookies | 0 | 9,984,116,318 | 50% | ||
crypt0gnome | 0 | 682,838,763 | 0.16% | ||
susurrodmisterio | 0 | 9,206,560,546 | 50% | ||
deadleaf | 0 | 3,859,245,486 | 100% | ||
palomap3 | 0 | 47,013,807,136 | 32.5% | ||
zerozerozero | 0 | 65,059,044,325 | 100% | ||
dondido | 0 | 1,742,277,398 | 0.8% | ||
draconiac | 0 | 482,104,801 | 100% | ||
plicc8 | 0 | 897,999,449 | 10% | ||
visualblock | 0 | 383,782,020,014 | 100% | ||
sbtofficial | 0 | 531,843,742 | 0.4% | ||
jasedmf | 0 | 557,405,039 | 100% | ||
nahuelgameplays | 0 | 1,251,515,461 | 50% | ||
visual.alive | 0 | 655,480,014 | 100% | ||
reverio | 0 | 1,168,555,687 | 5% |
<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-rafaelaquino-curso-intermedio-de-python-n03-conjuntos-20230720t022026494z |
category | hive-154226 |
json_metadata | {"app":"STEMsocial"} |
created | 2023-07-20 02:20:27 |
last_update | 2023-07-20 02:20:27 |
depth | 1 |
children | 0 |
last_payout | 2023-07-27 02:20:27 |
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,903,677,158,169 |
root_title | "Curso Intermedio de Python N03 Conjuntos" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 125,470,849 |
net_rshares | 0 |
<center>  <sup> Has sido curado por @visualblock / You've been curated by @visualblock Bienvenidas delegaciones / Delegations welcome [Encuentra nuestra comunidad aquí / Find our community here](https://discord.gg/tGuctbfYKN) [Trail de Curación / Curation Trail](https://hive.vote/dash.php?trail=visualblock&i=1) [Vota por nuestro Testigo aliado - @hispapro](https://vote.hive.uno/@hispapro) / [Vote for our allied Witness - @hispapro](https://vote.hive.uno/@hispapro) [Más información sobre el testigo aquí](https://ecency.com/hive-111111/@hispapro/witness-announcement-descubre-el-nuevo) / [More information about the witness here](https://ecency.com/hive-111111/@hispapro/witness-announcement-descubre-el-nuevo) </sup> </center>
author | visualblock |
---|---|
permlink | re-rafaelaquino-2023719t171038497z |
category | hive-154226 |
json_metadata | {"tags":["developspanish","stem-espanol","stemsocial","linux","python","original-content","developer","spanish","tecnologia","programador"],"app":"ecency/3.0.35-vision","format":"markdown+html"} |
created | 2023-07-19 22:10:39 |
last_update | 2023-07-19 22:10:39 |
depth | 1 |
children | 0 |
last_payout | 2023-07-26 22:10:39 |
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 | 839 |
author_reputation | 152,603,008,711,740 |
root_title | "Curso Intermedio de Python N03 Conjuntos" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 125,466,243 |
net_rshares | 0 |