#row1
Explore tagged Tumblr posts
Text
OC: The Man - 'Guy'
#kinda fw the fact that its more 'thing' images than 'person' images#fitting but thats also bc the person images i have in his full moodboard are just actual horror 😭#row1 img3 - Victor Enrich#row2 img1 - Sadan Vague#oc: The Man - 'Guy'#cw horror#cw body horror#oc
79 notes
·
View notes
Text

"DMT_42," digital + acrylic, May 14, 2024, Reginald Brooks
DMT = Divisor (Factor) Matrix Table
Divisors of 96:
Row1 (6 cells): 1-2-4-8-16-32
Row3 (6 cells): 3-6-12-24-48-96
~more here
#rbrooksdesign#digital art#b&w#dmt#divisors#fractals#butterfly fractal 1#primes#exponentials#perfect numbers#mathematics#geometry#number theory#graphics#archives#math#bim
32 notes
·
View notes
Text
THE CATHEDRAL OF NOTRE-DAME. VICTOR HUGO.

MOST certainly, the Cathedral of Notre-Dame is still a sublime and majestic edifice. But, despite the beauty which it preserves in its old age, it would be impossible not to be indignant at the injuries and mutilations which Time and man have jointly inflicted upon the venerable structure without respect for Charlemagne, who laid its first stone, and Philip Augustus, who laid its last.
There is always a scar beside a wrinkle on the face of this aged queen of our cathedrals. Tempus edax homo edacior, which I should translate thus: Time is blind, man is stupid.
If we had leisure to examine one by one, with the reader, the various traces of destruction imprinted on the old church, Time’s work would prove to be less destructive than men’s, especially des hommes de l’art, because there have been some individuals in the last two centuries who considered themselves architects.
First, to cite several striking examples, assuredly there are few more beautiful pages in architecture than that façade, exhibiting the three deeply-dug porches with their pointed arches; the plinth, embroidered and indented with twenty-eight royal niches; the immense central rose-window,29 flanked by its two lateral windows, like the priest by his deacon and sub-deacon; the high and frail gallery of open-worked arches, supporting on its delicate columns a heavy platform; and, lastly, the two dark and massive towers, with their slated pent-houses. These harmonious parts of a magnificent whole, superimposed in five gigantic stages, and presenting, with their innumerable details of statuary, sculpture, and carving, an overwhelming yet not perplexing mass, combine in producing a calm grandeur. It is a vast symphony in stone, so to speak; the colossal work of man and of a nation, as united and as complex as the Iliad and the romanceros of which it is the sister; a prodigious production to which all the forces of an epoch contributed, and from every stone of which springs forth in a hundred ways the workman’s fancy directed by the artist’s genius; in one word, a kind of human creation, as strong and fecund as the divine creation from which it seems to have stolen the two-fold character: variety and eternity.
And what I say here of the façade, must be said of the entire Cathedral; and what I say of the Cathedral of Paris, must be said of all the Mediæval Christian churches. Everything in this art, which proceeds from itself, is so logical and well-proportioned that to measure the toe of the foot is to measure the giant.
Let us return to the façade of Notre-Dame, as it exists to-day when we go reverently to admire the solemn and mighty Cathedral, which, according to the old chroniclers, was terrifying: quæ mole sua terrorem incutit spectantibus.
That façade now lacks three important things: first, the30 flight of eleven steps, which raised it above the level of the ground; then, the lower row of statues which occupied the niches of the three porches; and the upper row1 of the twenty-eight ancient kings of France which ornamented the gallery of the first story, beginning with Childebert and ending with Philip Augustus, holding in his hand “la pomme impériale.”
Time in its slow and unchecked progress, raising the level of the city’s soil, buried the steps; but whilst the pavement of Paris like a rising tide has engulfed one by one the eleven steps which formerly added to the majestic height of the edifice, Time has given to the church more, perhaps, than it has stolen, for it is Time that has spread that sombre hue of centuries on the façade which makes the old age of buildings their period of beauty.
3 notes
·
View notes
Text
FRONT YARD UPDATE: 9/28/2023

Chard in one of the circular pots

Row1 = a pumpkin plant, bush beans and sunflowers
Row 2= Lettuce but no sprouts yet

Row 3 = empty for the time being
Row 4 = carrots and radishes

Close up of the radish's that have sprouted

Close up of the pumpkin w/trellis that's just been added

And a close up of the beans, these where transplanted in.

And my pequin pepper has survived another brutal summer!!
#letsgogardening#homesteading#gardening#self sufficient living#urban homesteading#studentfarmer#garden#urban gardening#self sufficiency#chard#bean#bushbeans#thestudentfarmer#raddish#frontyardupdate#pumpkin#trellis#homegarden#homegrown#9/28/2023
6 notes
·
View notes
Text
(row1: salamander 1 & f, row2: salamander 2 f 3)
So the Salamander is of course the European alchemical mythic creature associated with fire, but is also still a lizard if not a literal salamander in most historical portrayls.
Somehow, in the games, Salamandra has jumped around different derivative models in almost every iteration:
The original and F both use recolored Tatzelwurms,
but then WA2 uses a recolored Basilisk,
and WA3 uses a recolored Hydra.
And of course none of these other monsters have ever shared models with one another or otherwise have any links outside this Salamander connection.
(row1: Tatzelwurm 1-3, row2: Basilisk 1-3, row3: Hydra 1-3)
4 notes
·
View notes
Text
Pandas DataFrame Tutorial: Ways to Create and Manipulate Data in Python Are you diving into data analysis with Python? Then you're about to become best friends with pandas DataFrames. These powerful, table-like structures are the backbone of data manipulation in Python, and knowing how to create them is your first step toward becoming a data analysis expert. In this comprehensive guide, we'll explore everything you need to know about creating pandas DataFrames, from basic methods to advanced techniques. Whether you're a beginner or looking to level up your skills, this tutorial has got you covered. Getting Started with Pandas Before we dive in, let's make sure you have everything set up. First, you'll need to install pandas if you haven't already: pythonCopypip install pandas Then, import pandas in your Python script: pythonCopyimport pandas as pd 1. Creating a DataFrame from Lists The simplest way to create a DataFrame is using Python lists. Here's how: pythonCopy# Creating a basic DataFrame from lists data = 'name': ['John', 'Emma', 'Alex', 'Sarah'], 'age': [28, 24, 32, 27], 'city': ['New York', 'London', 'Paris', 'Tokyo'] df = pd.DataFrame(data) print(df) This creates a clean, organized table with your data. The keys in your dictionary become column names, and the values become the data in each column. 2. Creating a DataFrame from NumPy Arrays When working with numerical data, NumPy arrays are your friends: pythonCopyimport numpy as np # Creating a DataFrame from a NumPy array array_data = np.random.rand(4, 3) df_numpy = pd.DataFrame(array_data, columns=['A', 'B', 'C'], index=['Row1', 'Row2', 'Row3', 'Row4']) print(df_numpy) 3. Reading Data from External Sources Real-world data often comes from files. Here's how to create DataFrames from different file formats: pythonCopy# CSV files df_csv = pd.read_csv('your_file.csv') # Excel files df_excel = pd.read_excel('your_file.xlsx') # JSON files df_json = pd.read_json('your_file.json') 4. Creating a DataFrame from a List of Dictionaries Sometimes your data comes as a list of dictionaries, especially when working with APIs: pythonCopy# List of dictionaries records = [ 'name': 'John', 'age': 28, 'department': 'IT', 'name': 'Emma', 'age': 24, 'department': 'HR', 'name': 'Alex', 'age': 32, 'department': 'Finance' ] df_records = pd.DataFrame(records) print(df_records) 5. Creating an Empty DataFrame Sometimes you need to start with an empty DataFrame and fill it later: pythonCopy# Create an empty DataFrame with defined columns columns = ['Name', 'Age', 'City'] df_empty = pd.DataFrame(columns=columns) # Add data later new_row = 'Name': 'Lisa', 'Age': 29, 'City': 'Berlin' df_empty = df_empty.append(new_row, ignore_index=True) 6. Advanced DataFrame Creation Techniques Using Multi-level Indexes pythonCopy# Creating a DataFrame with multi-level index arrays = [ ['2023', '2023', '2024', '2024'], ['Q1', 'Q2', 'Q1', 'Q2'] ] data = 'Sales': [100, 120, 150, 180] df_multi = pd.DataFrame(data, index=arrays) print(df_multi) Creating Time Series DataFrames pythonCopy# Creating a time series DataFrame dates = pd.date_range('2024-01-01', periods=6, freq='D') df_time = pd.DataFrame(np.random.randn(6, 4), index=dates, columns=['A', 'B', 'C', 'D']) Best Practices and Tips Always Check Your Data Types pythonCopy# Check data types of your DataFrame print(df.dtypes) Set Column Names Appropriately Use clear, descriptive column names without spaces: pythonCopydf.columns = ['first_name', 'last_name', 'email'] Handle Missing Data pythonCopy# Check for missing values print(df.isnull().sum()) # Fill missing values df.fillna(0, inplace=True) Common Pitfalls to Avoid Memory Management: Be cautious with large datasets. Use appropriate data types to minimize memory usage:
pythonCopy# Optimize numeric columns df['integer_column'] = df['integer_column'].astype('int32') Copy vs. View: Understand when you're creating a copy or a view: pythonCopy# Create a true copy df_copy = df.copy() Conclusion Creating pandas DataFrames is a fundamental skill for any data analyst or scientist working with Python. Whether you're working with simple lists, complex APIs, or external files, pandas provides flexible and powerful ways to structure your data. Remember to: Choose the most appropriate method based on your data source Pay attention to data types and memory usage Use clear, consistent naming conventions Handle missing data appropriately With these techniques in your toolkit, you're well-equipped to handle any data manipulation task that comes your way. Practice with different methods and explore the pandas documentation for more advanced features as you continue your data analysis journey. Additional Resources Official pandas documentation Pandas cheat sheet Python for Data Science Handbook Real-world pandas examples on GitHub Now you're ready to start creating and manipulating DataFrames like a pro. Happy coding!
0 notes
Text




It’s Day 16 of the Wessagussett Wind/Humidity Wrap 2025. The wind was out of the WSW at 8mph with gusts to the10mph. The humidity was 60% at 11am. I used the Frosty Green color of Red Heart Super Saver yarn to show the humidity 60%. I knit in garter stitch to show the wind was blowing at 8mph. Today began partly sunny, but by late this afternoon clouds arrived. I like my City of Boston photo today. The boat was coming in as I was going out to take pictures, so I got it lined up with the city. At that moment a bird flew into the frame, so I was lucky. By tonight graupel had begun falling, and although it isn’t collecting yet, the deck was wet when Mike took Gus outside. It looks like a good night to be inside, warm and dry. Be safe out there.
.
#WessagussetWindHumidityWrap2025 #Day16 #11am #cloudy #WSW #8mph #gusts10mph #humidity60% #frostygreen #PATTERN: #Row1-4:garterstitch #wind #humidity #knitting #stitches #yarn #skeins #needles #patterns #redheartyarn #supersaver #worstedweight #tumblr
0 notes
Text








Ensemble/ダンサー Returning Cast, Romeo et Juliette Jp 2011 +2013 (2/7)
Row1: 碓井菜央/Usui Nao
Row2-3 (L->R): 吉元美里衣/Yoshimoto Milly, 佐伯理沙/Saeki Ria, 岩江蓮花/Iwae Renka
Parts: 1, 3, 4, 5, 6, 7
#romeo et juliette#ロミオとジュリエット#retj toho#toho retj#碓井菜央#Usui Nao#吉元美里衣#Yoshimoto Milly#佐伯理沙#Saeki Ria#岩江蓮花#Iwae Renka#retj returning cast
0 notes
Text
Note to self: Don’t look up articles on JK Row1ing unless you want to go to sleep crying. 🙃
1 note
·
View note
Text
Eh coucou !
Je suis très loin d'être une experte dans le domaine, mais pour l'avoir déjà fait, sachez qu'il est possible d'enlever cette partie directement depuis les templates en passant par ->
Panneau Admin - Affichage - Template - Profil - profile_add_body
Ensuite, il suffit simplement de supprimer ce petit bout de code :
VERSION MODERNBB :
<!-- BEGIN switch_avatar_local_upload --><dl> <dt><label>{L_UPLOAD_AVATAR_FILE} </label></dt> <dd><input type="file" name="avatar" class="inputbox" /></dd> </dl> <!-- END switch_avatar_local_upload -->
VERSION PHPBB2 :
<!-- BEGIN switch_avatar_local_upload --><tr> <td class="row1"><span class="gen">{L_UPLOAD_AVATAR_FILE} </span></td> <td class="row2"><input class="post" type="file" name="avatar" /></td> </tr> <!-- END switch_avatar_local_upload -->
Et voilààààà (:
Petite information pour éviter le redimensionnement intempestif de vos avatars sur FA. Lorsque vous mettez un avatar sur forumactif, n'utilisez pas l'option "Envoyer l'avatar depuis votre ordinateur" :
Car celui-ci va alors être hébergé sur un service interne à FA (2img.net) qui va redimensionner votre avatar automatiquement ! Une chose que les créateurs·rices ne souhaitent pas, puisque ça dégrade la qualité de leur travail. Préférez tinyurl.com, qui vous permettra de rétrécir l'adresse de l'image c/c sur tumblr pour qu'elle puisse rentrer dans l'option "Lier l'avatar à partir d'un autre site". Ou réhébergez vous-mêmes l'avatar sur imgbox, ou autre service du genre. Si cela est permis par lae créa bien sûr ! Aussi n'oubliez pas de lire les règles quant à l'utilisation des créations de chacun·e, afin de les respecter. Et surtout n'oubliez pas de créditer leur travail dès leurs créa installées dans votre profil, c'est la moindre des choses que vous puissiez faire pour les remercier de leur travail 🥰
120 notes
·
View notes
Text
Noc Noc: He makes it sound like it’s our choice, right?
Ashbourne: Right!
Noc Noc: But it’s definitely not, right guys? I’m trying to figure it out, like his tone makes it seem like we’re doing this, but we’re not.
Graz’zt’s lieutenant: You’ve already made your choices.
Noc Noc: See he did it again. It totally sounds like I’m doing things, but I’m not, I’m just standing here.
#i love them#sometimes this is a fanperson blog#rivals of waterdeep#idk if it comes across here#it is some high drama and good shit#row1
2 notes
·
View notes
Photo

IYKYK . . . . #FrontRow #LegendII #HolyfiedVsBelfort #Boxing #UFC #TheCaptain #Row1 #FloorAccess #VIP (at Hardrock Guitar Hotel) https://www.instagram.com/p/CTyLDv9DP25/?utm_medium=tumblr
0 notes
Text

"DMT_37," digital, May 9, 2024, Reginald Brooks
DMT = Divisor (Factor) Matrix Table
The divisors of 28 (a *Perfect Number):
Row1 (3 cells): 1-2-4
Row7(3 cells): 7-14-28
*PN is a number whose "factors" sum up to equal itself: 1+2+4+7+14=28, where divisors - parent # = factors.
6-28-496-8128 are the first 4 of the 51 known PNs.
#rbrooksdesign#digital art#mathematics#dmt#divisors#primes#fractals#butterfly fractal 1#math#color#graphics#perfect numbers#number theory#geometry#mersenne prime squares#archives#bim#exponentials
46 notes
·
View notes
Photo

Uwaga, ważne! 10 marca (środa) o godz. 10:00 na wniosek grupy posłów odbędzie się w Sejmie wspólne posiedzenie Komisji Edukacji, Nauki i Młodzieży oraz Polityki Społecznej i Rodziny, dotyczące reformy orzecznictwa, reformy „Edukacja dla wszystkich”, a także planowanych zmian w ustawie „Za życiem” i w systemie świadczeń, np. możliwości łączenia pobierania świadczenia pielęgnacyjnego z pracą zarobkową. Szczegóły w załączonym dokumencie. Udostępnimy transmisję z posiedzenia, która będzie zamieszczona na stronie: 👉 https://www.sejm.gov.pl/sejm9.nsf/PlanPosKom.xsp?fbclid=IwAR0N8AmQh_zc8-EL0E2zgezMSFuUwstl7SyYDrT6MqE78PpFRF25SVkS9sc#row1 #autismteam #autyzm #edukacja #zażyciem #edukacjadlawszystkich https://www.instagram.com/p/CMKnWzuD_SI/?igshid=1p7zdojrmfb8r
0 notes
Photo


how it started vs. how it’s going
#Saints Row#saints row1#started out bad#ended up even worse somehow!#this is a game series of pyrrhic victories#it's eye for an eye 'till the whole world's blind#but if i've got one bloody eyeball at the end of it i still win!#somehow!#the 3rd street saints mentality#i haven't slept well the past couple days i've just been rotating these games in my mind#boss mira
19 notes
·
View notes
Photo








468. Minoru Takeyama /// “ROW1” Joint House (Iwakura House) /// Tomakomai-shi, Sanko-cho, Hokkaido, Japan /// 1971-73
OfHouses presents “ArchiteXt - 7 Houses from the 70′s, Part IX”. (Photos: © Minoru Takeyama architect & U/A.)
#ArchiteXt 70#Minoru Takeyama#ROW1#Iwakura#Tomakomai#japan#70s#OfHouses#oldforgottenhouses#www.ofhouses.com#the collection of houses
86 notes
·
View notes