Register a SA Forums Account here!
JOINING THE SA FORUMS WILL REMOVE THIS BIG AD, THE ANNOYING UNDERLINED ADS, AND STUPID INTERSTITIAL ADS!!!

You can: log in, read the tech support FAQ, or request your lost password. This dumb message (and those ads) will appear on every screen until you register! Get rid of this crap by registering your own SA Forums Account and joining roughly 150,000 Goons, for the one-time price of $9.95! We charge money because it costs us money per month for bills, and since we don't believe in showing ads to our users, we try to make the money back through forum registrations.
 
  • Post
  • Reply
Squizzle
Apr 24, 2008




the first nine heavens in the slavonic enoch, ranked by how blue they appear, as depicted in an art project i did many many years ago
  1. first
  2. eighth
  3. ninth
  4. sixth
  5. fourth
  6. seventh
  7. third
  8. second
  9. fifth

Adbot
ADBOT LOVES YOU

Emmideer
Oct 20, 2011

Lovely night, no?
Grimey Drawer
List of goons who have mentioned having art projects I want to see, and have yet to see:

1. Squizzle

Hyperlynx
Sep 13, 2015

I'm a big fan of
code:
std::list
edit: Actually, I'm also still pretty proud of the type-safe list I wrote in C, while I was in uni:

code:
#ifndef LINKLIST_H
#define LINKLIST_H

#include <string.h>
  /*memcpy()*/

/**********************\
|declaration generators|
\**********************/
#define GEN_LLIST_H(datatype)\
/*prerequisites: none*/\
typedef struct _LLIST_NODE##datatype\
{\
  datatype data;\
  struct _LLIST_NODE##datatype* next;\
  struct _LLIST_NODE##datatype* prev;\
}LLIST_NODE_##datatype;\
typedef struct\
{\
  LLIST_NODE_##datatype *first;\
  LLIST_NODE_##datatype *last;\
  int size;\
}LLIST_##datatype;\
void LLIST_InitList_##datatype(LLIST_##datatype *list);\
LLIST_NODE_##datatype* LLIST_PopFront_##datatype(LLIST_##datatype *list);\
void LLIST_ClearList_##datatype(LLIST_##datatype *list,\
  void (*destructor)(datatype*));\
LLIST_NODE_##datatype *LLIST_PushFront_##datatype(LLIST_##datatype *list,\
   datatype* data);\
LLIST_NODE_##datatype *LLIST_PushBack_##datatype(LLIST_##datatype *list,\
   datatype* data);\
LLIST_NODE_##datatype *LLIST_PopBack_##datatype(LLIST_##datatype* list);\
void LLIST_PopLink_##datatype(LLIST_##datatype* list, LLIST_NODE_##datatype*\
   link);

#define GEN_LLIST_BASICSEARCH_H(datatype)\
/*prerequisites: GEN_LLIST_H*/\
\
LLIST_NODE_##datatype* LLIST_Search_##datatype(LLIST_##datatype *list,\
                       datatype value, datatype tolerance, int forwards);\
LLIST_NODE_##datatype* LLIST_SearchNext_##datatype(LLIST_##datatype *list,\
                       datatype value,\
                       datatype tolerance, \
                       LLIST_NODE_##datatype *start,\
                       int forwards);

#define GEN_LLIST_ADVSEARCH_H(datatype)\
/*prerequisites: GEN_LLIST_H*/\
LLIST_NODE_##datatype* LLIST_Search_##datatype(LLIST_##datatype *list,\
                     datatype* value,\
                     int (*compareFunc)(datatype*,datatype*),\
                     int forwards);\
LLIST_NODE_##datatype* LLIST_SearchNext_##datatype(LLIST_##datatype *list,\
                       datatype* value,\
                       int (*compareFunc)(datatype*,datatype*),\
                       LLIST_NODE_##datatype *start,\
                       int forwards);

/***************\
|code generators|
\***************/
#define GEN_LLIST(datatype)\
\
void LLIST_InitList_##datatype(LLIST_##datatype *list)\
{\
  list->first = NULL;\
  list->last = NULL;\
  list->size = 0;\
}\
\
LLIST_NODE_##datatype* LLIST_PopFront_##datatype(LLIST_##datatype *list)\
{\
  if(list->first == NULL)\
    return NULL;\
\
  LLIST_NODE_##datatype *temp;\
  temp = list->first;\
\
  if(list->first == list->last) /*the list has just one link*/\
  {\
    list->first = NULL;\
    list->last = NULL;\
  }\
  else\
  {\
    list->first = temp->next;\
    list->first->prev = NULL;\
  }\
  --list->size;\
\
  return temp;\
}\
\
void LLIST_ClearList_##datatype(LLIST_##datatype *list,\
  void (*destructor)(datatype*))\
{\
  LLIST_NODE_##datatype *link;\
  link = LLIST_PopFront_##datatype(list);\
  while(link)\
  {\
    if(destructor)\
      destructor(&link->data);\
    free(link);\
    link = LLIST_PopFront_##datatype(list);\
  }\
}\
\
LLIST_NODE_##datatype *LLIST_PushFront_##datatype(LLIST_##datatype *list,\
                                      datatype* data)\
{\
  /*NTS: put in error checking*/\
  LLIST_NODE_##datatype *link;\
\
  link = (LLIST_NODE_##datatype *) malloc(sizeof(LLIST_NODE_##datatype));\
  memcpy(&link->data, data, sizeof(datatype));\
\
  link->prev = NULL;\
\
  if(list->last == NULL) /*the list is empty*/\
  {\
    list->last = link;\
    list->first = link;\
    link->next = NULL;\
  }\
  else\
  {\
    LLIST_NODE_##datatype* temp = list->first;\
    list->first = link;\
    link->next = temp;\
    temp->prev = link;\
  }\
  ++list->size;\
\
  return link;\
}\
\
LLIST_NODE_##datatype *LLIST_PushBack_##datatype(LLIST_##datatype *list,\
                                     datatype* data)\
{\
  /*NTS: put in error checking*/\
  LLIST_NODE_##datatype *link;\
\
  link = (LLIST_NODE_##datatype *) malloc(sizeof(LLIST_NODE_##datatype));\
  memcpy(&link->data, data, sizeof(datatype));\
\
  link->next = NULL;\
\
  if(list->first == NULL) /*the list is empty*/\
  {\
    list->last = link;\
    list->first = link;\
    link->prev = NULL;\
  }\
  else\
  {\
    LLIST_NODE_##datatype *temp = list->last;\
    list->last = link;\
    link->prev = temp;\
    temp->next = link;\
  }\
  ++list->size;\
\
  return link;\
}\
\
LLIST_NODE_##datatype *LLIST_PopBack_##datatype(LLIST_##datatype* list)\
{\
  if(list->last == NULL)\
    return NULL;\
\
  LLIST_NODE_##datatype *temp;\
  temp = list->last;\
\
  if(list->first == list->last) /*the list has just one link*/\
  {\
    list->first = NULL;\
    list->last = NULL;\
  }\
  else\
  {\
    list->last = temp->prev;\
    list->last->next = NULL;\
  }\
  --list->size;\
\
  return temp;\
}\
\
void LLIST_PopLink_##datatype(LLIST_##datatype* list, LLIST_NODE_##datatype* link)\
{\
  if(link == list->first)\
    link = LLIST_PopFront_##datatype(list);\
  else if(link == list->last)\
    link = LLIST_PopBack_##datatype(list);\
  else\
  {\
    link->next->prev = link->prev;\
    link->prev->next = link->next;\
    /*note: link->next or link->prev can only be NULL if there are only two
    links in the list, in which case it's already been handled by PopFront or
    PopBack.*/\
    --list->size;\
  }\
}

/*if the linked list is a list of primatives, we can generate a search function.
  We can't if it's a linked list of structures, because you can't compare
  structures with simple arithmetic operators (unless you're using C++, in which
  case you don't need these macros!)
  
  Anyway, use this macro to generate the search functions if your datatype is
  compatible with them. If you try it with structs you will get compile errors.
  
  Note that it won't work with a linked list of pointers.*/

#define GEN_LLIST_BASICSEARCH(datatype)\
\
LLIST_NODE_##datatype* LLIST_Search_##datatype(LLIST_##datatype *list,\
                       datatype value, datatype tolerance, int forwards)\
{\
\
  LLIST_NODE_##datatype* result;\
  datatype abs;\
  if(forwards)\
  {\
    result = list->first;\
    while(result!=NULL\
    && ( ((abs = result->data - value)<0)?-abs:abs > tolerance) )\
    {\
      result = result->next;\
    }\
  }\
  else\
  {\
    result = list->last;\
    while(result!=NULL\
    && ( ((abs = result->data - value)<0)?-abs:abs > tolerance) )\
    {\
      result = result->prev;\
    }\
  }\
  return result;\
}\
\
LLIST_NODE_##datatype* LLIST_SearchNext_##datatype(LLIST_##datatype *list,\
                       datatype value,\
                       datatype tolerance, LLIST_NODE_##datatype *start,\
                       int forwards)\
{\
  int abs;\
  if(forwards)\
  {\
    do\
    {\
      start = start->next;\
    }while(start!=NULL &&\
     ( ((abs = start->data - value)<0)?-abs:abs > tolerance) );\
  }\
  else\
  {\
    do\
    {\
      start = start->prev;\
    }while(start!=NULL &&\
     ( ((abs = start->data - value)<0)?-abs:abs > tolerance) );\
  }\
  return start;\
}
 
#define GEN_LLIST_ADVSEARCH(datatype)\
LLIST_NODE_##datatype* LLIST_Search_##datatype(LLIST_##datatype *list,\
                     datatype* criteria, int (*compareFunc)(datatype*,datatype*),\
                     int forwards)\
{\
  LLIST_NODE_##datatype* result;\
  if(forwards)\
  {\
    result = list->first;\
    while(result!=NULL && !compareFunc(&result->data, criteria))\
    {\
      result = result->next;\
    }\
  }\
  else\
  {\
    result = list->last;\
    while(result!=NULL && !compareFunc(&result->data, criteria))\
    {\
      result = result->prev;\
    }\
  }\
  return result;\
}\
\
LLIST_NODE_##datatype* LLIST_SearchNext_##datatype(LLIST_##datatype *list,\
                       datatype* criteria,\
                       int (*compareFunc)(datatype*,datatype*),\
                       LLIST_NODE_##datatype *start,\
                       int forwards)\
{\
  if(forwards)\
  {\
    do\
    {\
      start = start->next;\
    }while(start!=NULL && !compareFunc(&start->data, criteria));\
  }\
  else\
  {\
    do\
    {\
      start = start->prev;\
    }while(start!=NULL && !compareFunc(&start->data, criteria));\
  }\
  return start;\
}

#endif

Hyperlynx has a new favorite as of 13:02 on Jul 9, 2021

Squizzle
Apr 24, 2008




Cookie Monster's Reäctions to the First Four Lines of the Chorus from Limp Bizkit’s 1999 Billboard Hot 100 Charting Hit Nookie (in order)







credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
Breakdown of Life During Wartime by Talking Heads

Rumors:
1) Van that is loaded with weapons, packed up and ready to go
2) Some grave sites, out by the highway, a place where nobody knows

Unknowns:
1) Houston?
2) Detroit?
3) Pittsburgh, P. A.?
4) My real name
5) What I look like

Overheard:
1) The sound of gunfire, off in the distance

Places Lived:
1) A brownstone
2) A ghetto
3) All over this town

Things This Is Not:
1) Party
2) Disco
3) Fooling around
4) Mudd Club
5) CBGB

Things There Is No Time For:
1) Dancing
2) Lovey dovey
3) That
4) To kiss you
5) To hold you

Property:
1) Three passports
2) A couple of visas
3) Groceries
4) Peanut butter
5) Computer

Property (lack of):
1) Speakers
2) Headphones
3) Records to play
4) Notebooks

Attire:
1) Student
2) Housewife
3) Suit and tie

Things to do:
1) Transmit the message to the receiver
2) Hope for an answer some day
3) Get you instructions
4) Follow directions

Things Unable To Do:
1) Write a letter
2) Send a postcard
3) Write nothing at all
4) Get home (maybe)

Things I Do:
1) Sleep in the daytime
2) Work in the nighttime

Things We Do:
1) Tap phone lines
2) Blend in with the crowd
3) Make a pretty good team

Things Not To Do:
1) Take chances
2) Get exhausted

Considerations:
1) Why go to college?
2) Why go to nightschool?
3) What good are notebooks?

Health
1) You make me shiver
2) I feel so tender
3) My chest is aching, burns like a furnace

Recommendations:
1) You oughta know not to stand by the window
3) You ought to get some sleep
3) You should change your address
4) Try to stay healthy
5) Try to be careful
6) You better watch what you say

Logistics and Operations:
1) High on a hillside the trucks are loading
2) Everything's ready to roll
3) Trouble in transit (got through the roadblock)

credburn has a new favorite as of 23:24 on Jul 30, 2021

Captain Hygiene
Sep 17, 2007

You mess with the crabbo...



List of my all-time favorite animals, whose names coincidentally start with the same letter, in alphabetical order:

  1. Capybaras
  2. Cats
  3. Cpenguins
  4. Crabs

credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
Deconstructing "And She Was" by Talking Heads

Things She Was:
1) Lying in the grass
2) Right there with (the world)
3) Floating above it (the world)
4) Drifting through the backyard
5) Taking off her dress
6) Moving very slowly
7) Rising up above the Earth
8) Drifting this way and that
9) Glad about it
10) Done
11) Looking at herself
12) Joining the world of missing persons
13) Missing enough to feel alright

Things She Is:
1) Making sure she is not dreaming
2) Seeing the light of a neighbor's house
3) Starting to rise
4) Taking a moment to concentrate
5) Opening up her eyes
6) Moving out in all directions

Things She Is Not:
1) Sure where she's gone

Things She Had:
1) A pleasant elevation

Things She Could Hear:
1) The highway breathing

Things She Could See:
1) A nearby factory

credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
Time Approximations of When The Music Died in "American Pie" by Don McLean in Reverse Order of Vagueness

1) When the Jester sang for the king and queen
2) February
3) In a summer swelter
4) For ten years we've been on our own
5) While Lenin read a book on Marx
6) I'd heard the music years ago
7) No time left to start again
8) A long, long time ago

Mister Kingdom
Dec 14, 2005

And the tears that fall
On the city wall
Will fade away
With the rays of morning light
Songs featuring the Vox Continental combo organ that are awesome

1. "96 Tears" - ? and the Mysterions
2. "California Sun" - The Rivieras
3. "Black is Black" - Los Bravos
4. "I'm a Believer" - The Monkees
5. "Pump It Up" - Elvis Costello and the Attractions

credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
I'm having a blast decustrocting popular songs, but I feel like I'm spamming this thread so I'll cool it

"We Didn't Start the Fire" By William "Haymaker" Joel

People:
Harry Truman
Doris Day
Red China
Johnnie Ray
Walter Winchell
Joe DiMaggio
Joe McCarthy
Richard Nixon
Studebaker
Marilyn Monroe
Starkweather
Rosenbergs
Sugar Ray
Brando
Eisenhower
Marciano
Liberace
Santayana
Joseph Stalin
Malenkov
Nasser
Prokofiev
Rockefeller
Campanella
Roy Cohn
Juan Peron
Toscanini
Dacron
Einstein
James Dean
Davy Crockett
Peter Pan
Elvis Presley
Bardot
Krushchev
Princess Grace
Pasternak
Mickey Mantle
Kerouac
Chou En-Lai
Charles de Gaulle
Buddy Holly
Ben Hur
Castro
Syngman Rhee,
Kennedy
Chubby Checker
Hemingway
Eichmann
Dylan
John GlennListon
Patterson
Pope Paul
Malcolm X
JFK
Richard Nixon (back again)
Ho Chi Minh
Begin
Reagan
Ayatollah
Sally Ride
Bernie Goetz

Locations:
South Pacific
North Korea
South Korea
Panmunjom
England
Dien Bien Phu
Brooklyn
Budapest
Alabama
Disneyland
Peyton Place
The Suez
Little Rock
Lebanon
Claifornia
The Congo
Berlin
Ole Miss
Woodstock
Palestine
Iran
Afghanistan
China

Nationalities:
Belgians
Russians

Popular Culture:
"The King and I"
"The Catcher in the Rye"
"Bridge on the River Kwai"
"Rock Around the Clock"
"Psycho"
"Stranger in a Strange Land"
"Lawrence of Arabia"
"Wheel of Fortune"

War:
Bay of Pigs invasion
Cola wars

Sports:
Brooklyn's got a winning team
California baseball

Music:
U2
Punk rock
Heavy metal
Rock and roll
British Beatlemania

Outer Space:
Sputnik
Space monkey
Moonshot

Health:
Vaccine
Birth control
Thalidomide
AIDS

Drugs:
Crack
Hypodermics on the shore

Scandals:
Payola
British politician sex
Watergate

Other Events:
England's got a new queen

Transportation:
Edsel
Airline

Crime:
Mafia
Terror

Money:
Foreign Debts

Social Infrastructure:
Homeless vets

Group of socialist states of Central and Eastern Europe, East Asia, and Southeast Asia under the influence of the Soviet Union and its ideology (communism) that existed during the Cold War 1947–1991 in opposition to the capitalist Western Bloc:
Communist Bloc

Fads:
Hula hoops

The Fire:
We didn't start it
It was always burning, since the world's been turning
We didn't light it, but we tried to fight it

Can't take:
It anymore

credburn has a new favorite as of 07:06 on Aug 4, 2021

tight aspirations
Jul 13, 2009

List of people who enjoy your song deconstruction s and think they should continue:

- Me

LITERALLY A BIRD
Sep 27, 2008

I knew you were trouble
when you flew in

List of people who wish to append their names to the list above:

- Me

credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
List of new threads pertaining to song deconstruction:

https://forums.somethingawful.com/showthread.php?threadid=3975582

DigitalRaven
Oct 9, 2012




List of people who have already subscribed to your new thread:

- Me

credburn
Jun 22, 2016
A tangled skein of bad opinions, the hottest takes, and the the world's most misinformed nonsense. Do not engage with me, it's useless, and better yet, put me on ignore.
I'm making a list of every video game I've ever played. I'm only through the Ds and it's already quite long so I won't paste it here but if you want to read it...

https://controlc.com/98532046

Squizzle
Apr 24, 2008




List of Movies I Have Seen Featuring Robert Redford
  • Three Days of the Condor

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
List of Dead Owners of Something Awful Dot Com
  • Richard "Lowtax" Kyanka

Zamboni Rodeo
Jul 19, 2007

NEVER play "Lady of Spain" AGAIN!




ToxicSlurpee
Nov 5, 2003

-=SEND HELP=-


Pillbug
Top ten things I am not doing right now:

1 - Getting involved in a land war in Asia
2 - making GBS threads my pants (my socks however are not so lucky)
3 - My homework (look it isn't due until next week probably)
4 - Being an anime character
5 - Juggling burning chainsaws that are wrapped in kittens
6 - Fishing for crabs
7 - Intentionally tanking the stock market out of pure spite
8 - Intentionally purchasing every new home that hits the market in my town out of pure spite
9 - Doing anything at all out of spite (sorry spite just takes too much effort)
10 - Writing lists with 11 entries

Megabound
Oct 20, 2012

Things you should lick good:
  1. My neck
  2. My back
  3. My pussy
  4. My crack

Jestery
Aug 2, 2016


Not a Dickman, just a shape
"Two Hundred Fifty Things an Architect Should Know — R / D" https://www.readingdesign.org/250-things


Michael Sorkin

TWO HUNDRED FIFTY THINGS
AN ARCHITECT SHOULD KNOW


1. The feel of cool marble under bare feet.
2. How to live in a small room with five strangers for six months.
3. With the same strangers in a lifeboat for one week.
4. The modulus of rupture.
5. The distance a shout carries in the city.
6. The distance of a whisper.
7. Everything possible about Hatshepsut’s temple (try not to see it as ‘modernist’ avant la lettre).
8. The number of people with rent subsidies in New York City.
9. In your town (include the rich).
10. The flowering season for azaleas.
11. The insulating properties of glass.
12. The history of its production and use.
13. And of its meaning.
14. How to lay bricks.
15. What Victor Hugo really meant by ‘this will kill that.’
16. The rate at which the seas are rising.
17. Building information modeling (BIM).
18. How to unclog a Rapidograph.
19. The Gini coefficient.
20. A comfortable tread-to-riser ratio for a six-year-old.
21. In a wheelchair.
22. The energy embodied in aluminum.
23. How to turn a corner.
24. How to design a corner.
25. How to sit in a corner.
26. How Antoni Gaudí modeled the Sagrada Família and calculated its structure.
27. The proportioning system for the Villa Rotonda.
28. The rate at which that carpet you specified off-gasses.
29. The relevant sections of the Code of Hammurabi.
30. The migratory patterns of warblers and other seasonal travellers.
31. The basics of mud construction.
32. The direction of prevailing winds.
33. Hydrology is destiny.
34. Jane Jacobs in and out.
35. Something about feng shui.
36. Something about Vastu Shilpa.
37. Elementary ergonomics.
38. The color wheel.
39. What the client wants.
40. What the client thinks it wants.
41. What the client needs.
42. What the client can afford.
43. What the planet can afford.
44. The theoretical bases for modernity and a great deal about its factions and inflections.
45. What post-Fordism means for the mode of production of building.
46. Another language.
47. What the brick really wants.
48. The difference between Winchester Cathedral and a bicycle shed.
49. What went wrong in Fatehpur Sikri.
50. What went wrong in Pruitt-Igoe.
51. What went wrong with the Tacoma Narrows Bridge.
52. Where the CCTV cameras are.
53. Why Mies really left Germany.
54. How people lived in Çatal Hüyük.
55. The structural properties of tufa.
56. How to calculate the dimensions of brise-soleil.
57. The kilowatt costs of photovoltaic cells.
58. Vitruvius.
59. Walter Benjamin.
60. Marshall Berman.
61. The secrets of the success of Robert Moses.
62. How the dome on the Duomo in Florence was built.
63. The reciprocal influences of Chinese and Japanese building.
64. The cycle of the Ise Shrine.
65. Entasis.
66. The history of Soweto.
67. What it’s like to walk down the Ramblas.
68. Back-up.
69. The proper proportions of a gin martini.
70. Shear and moment.
71. Shakespeare, et cetera.
72. How the crow flies.
73. The difference between a ghetto and a neighborhood.
74. How the pyramids were built.
75. Why.
76. The pleasures of the suburbs.
77. The horrors.
78. The quality of light passing through ice.
79. The meaninglessness of borders.
80. The reasons for their tenacity.
81. The creativity of the ecotone.
82. The need for freaks.
83. Accidents must happen.
84. It is possible to begin designing anywhere.
85. The smell of concrete after rain.
86. The angle of the sun at the equinox.
87. How to ride a bicycle.
88. The depth of the aquifer beneath you.
89. The slope of a handicapped ramp.
90. The wages of construction workers.
91. Perspective by hand.
92. Sentence structure.
93. The pleasure of a spritz at sunset at a table by the Grand Canal.
94. The thrill of the ride.
95. Where materials come from.
96. How to get lost.
97. The pattern of artificial light at night, seen from space.
98. What human differences are defensible in practice.
99. Creation is a patient search.
100. The debate between Otto Wagner and Camillo Sitte.
101. The reasons for the split between architecture and engineering.
102. Many ideas about what constitutes utopia.
103. The social and formal organization of the villages of the Dogon.
104. Brutalism, Bowellism, and the Baroque.
105. How to dérive.
106. Woodshop safety.
107. A great deal about the Gothic.
108. The architectural impact of colonialism on the cities of North Africa.
109. A distaste for imperialism.
110. The history of Beijing.
111. Dutch domestic architecture in the 17th century.
112. Aristotle’s Politics.
113. His Poetics.
114. The basics of wattle and daub.
115. The origins of the balloon frame.
116. The rate at which copper acquires its patina.
117. The levels of particulates in the air of Tianjin.
118. The capacity of white pine trees to sequester carbon.
119. Where else to sink it.
120. The fire code.
121. The seismic code.
122. The health code.
123. The Romantics, throughout the arts and philosophy.
124. How to listen closely.
125. That there is a big danger in working in a single medium. The logjam you don’t even know you’re stuck in will be broken by a shift in representation.
126. The exquisite corpse.
127. Scissors, stone, paper.
128. Good Bordeaux.
129. Good beer.
130. How to escape a maze.
131. QWERTY.
132. Fear.
133. Finding your way around Prague, Fez, Shanghai, Johannesburg, Kyoto, Rio, Mexico, Solo, Benares, Bangkok, Leningrad, Isfahan.
134. The proper way to behave with interns.
135. Maya, Revit, Catia, whatever.
136. The history of big machines, including those that can fly.
137. How to calculate ecological footprints.
138. Three good lunch spots within walking distance.
139. The value of human life.
140. Who pays.
141. Who profits.
142. The Venturi effect.
143. How people pee.
144. What to refuse to do, even for the money.
145. The fine print in the contract.
146. A smattering of naval architecture.
147. The idea of too far.
148. The idea of too close.
149. Burial practices in a wide range of cultures.
150. The density needed to support a pharmacy.
151. The density needed to support a subway.
152. The effect of the design of your city on food miles for fresh produce.
153. Lewis Mumford and Patrick Geddes.
154. Capability Brown, André Le Nôtre, Frederick Law Olmsted, Muso Soseki, Ji Cheng, and Roberto Burle Marx.
155. Constructivism, in and out.
156. Sinan.
157. Squatter settlements via visits and conversations with residents.
158. The history and techniques of architectural representation across cultures.
159. Several other artistic media.
160. A bit of chemistry and physics.
161. Geodesics.
162. Geodetics.
163. Geomorphology.
164. Geography.
165. The Law of the Andes.
166. Cappadocia first-hand.
167. The importance of the Amazon.
168. How to patch leaks.
169. What makes you happy.
170. The components of a comfortable environment for sleep.
171. The view from the Acropolis.
172. The way to Santa Fe.
173. The Seven Wonders of the Ancient World.
174. Where to eat in Brooklyn.
175. Half as much as a London cabbie.
176. The Nolli Plan.
177. The Cerdà Plan.
178. The Haussmann Plan.
179. Slope analysis.
180. Darkroom procedures and Photoshop.
181. Dawn breaking after a bender.
182. Styles of genealogy and taxonomy.
183. Betty Friedan.
184. Guy Debord.
185. Ant Farm.
186. Archigram.
187. Club Med.
188. Crepuscule in Dharamshala.
189. Solid geometry.
190. Strengths of materials (if only intuitively).
191. Ha Long Bay.
192. What’s been accomplished in Medellín.
193. In Rio.
194. In Calcutta.
195. In Curitiba.
196. In Mumbai.
197. Who practices? (It is your duty to secure this space for all who want to.)
198. Why you think architecture does any good.
199. The depreciation cycle.
200. What rusts.
201. Good model-making techniques in wood and cardboard.
202. How to play a musical instrument.
203. Which way the wind blows.
204. The acoustical properties of trees and shrubs.
205. How to guard a house from floods.
206. The connection between the Suprematists and Zaha.
207. The connection between Oscar Niemeyer and Zaha.
208. Where north (or south) is.
209. How to give directions, efficiently and courteously.
210. Stadtluft macht frei.
211. Underneath the pavement the beach.
212. Underneath the beach the pavement.
213. The germ theory of disease.
214. The importance of vitamin D.
215. How close is too close.
216. The capacity of a bioswale to recharge the aquifer.
217. The draught of ferries.
218. Bicycle safety and etiquette.
219. The difference between gabions and riprap.
220. The acoustic performance of Boston Symphony Hall.
221. How to open the window.
222. The diameter of the earth.
223. The number of gallons of water used in a shower.
224. The distance at which you can recognize faces.
225. How and when to bribe public officials (for the greater good).
226. Concrete finishes.
227. Brick bonds.
228. The Housing Question by Friedrich Engels.
229. The prismatic charms of Greek island towns.
230. The energy potential of the wind.
231. The cooling potential of the wind, including the use of chimneys and the stack effect.
232. Paestum.
233. Straw-bale building technology.
234. Rachel Carson.
235. Freud.
236. The excellence of Michel de Klerk.
237. Of Alvar Aalto.
238. Of Lina Bo Bardi.
239. The non-pharmacological components of a good club.
240. Mesa Verde National Park.
241. Chichen Itza.
242. Your neighbors.
243. The dimensions and proper orientation of sports fields.
244. The remediation capacity of wetlands.
245. The capacity of wetlands to attenuate storm surges.
246. How to cut a truly elegant section.
247. The depths of desire.
248. The heights of folly.
249. Low tide.
250. The Golden and other ratios.

Nice and hot piss
Feb 1, 2004

Individuals associated with a Clown Possee that have been diagnosed as insane:

-Vilent J
-Shaggy 2 dope
-D-Lyrical
-Kid Villian
-John Kickjazz
-Greez-E

Ziv Zulander
Mar 24, 2017

ZZ for short


List of things I bought from the European grocery store yesterday

Salmon bagel
Crunchy wheat snack things
Bread
Kvass
Pickled herring
Marinated tomatoes
Some sort of flavored cornstarch drink powder
A can of fish soup

Missing Fox
Apr 19, 2015
A List Of All Chemical Elements Rated On Their Suitability As Baby Names

Okay Names
Neon
Cobalt
Nickel
Copper
Silver
Antimony
Mercury

At Least You'll Get A Decent Nickname
Beryllium ("Beryl")
Vanadium ("Vana")
Rubidium ("Rubi")
Ruthenium ("Ruth")
Barium ("Barry")
Samarium ("Sam")
Lawrencium ("Lawrence")
Thorium ("Thor")
Einsteinium ("Einstein")
Rutherfordium ("Rutherford")

Not Bad, But People Would Assume It's A Nickname Rather Than Your Real Name
Titanium
Iron
Platinum
Gold

It Could Be Worse
Flourine
Argon
Krypton
Tin
Iodine
Xenon
Radon
Hassium
Tennessine
Oganesson

Pretty Bad
Hydrogen
Helium
Lithium
Carbon
Nitrogen
Oxygen
Sodium
Magnesium
Aluminum
Silicon
Calcium
Chromium
Zinc
Gallium
Selenium
Bromine
Niobium
Rhodium
Palladium
Indium
Caesium
Cerium
Neodymium
Promethium
Europium
Holmium
Erbium
Hafnium
Tungsten
Rhenium
Osmium
Iridium
Lead
Bismuth
Radium
Actinium
Uranium
Neptunium
Plutonium
Americium
Curium
Fermium
Nobelium
Dubnium
Copernicium

Really Bad
Phosphorus
Sulfur
Chlorine
Potassium
Manganese
Scandium
Germanium
Strontium
Yttrium
Zirconium
Molybdenum
Technetium
Cadmium
Tellurium
Lanthanum
Praseodymium
Gadolinium
Terbium
Dysprosium
Thulium
Ytterbium
Lutetium
Tantalum
Thallium
Polonium
Astatine
Francium
Proactinium
Berkelium
Californium
Mendelevium
Seaborgium
Meitnerium
Darmstadtium
Roentgenium
Nihonium
Flerovium
Moscovium
Livermorium

Oh God No
Boron
Arsenic

sokatoah
Oct 6, 2005

Oh gods, how do we find the hypotenuse?
A list can be a very effective way of making a point and presenting valuable information. However it is important, for the following reasons, that a list contain at least four (4) items to be worthwhile and impressive:

(1) You, as author, look more knowledgeable;

(2) The list looks more substantial;

(3) Intentionally left blank;

(4) The list takes up more of the page.

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Hydrogen Jones
Tellurium Smith
Protactinium Rodgers
Oxygen Willis
Cobalt McAllister
Boron Jennings
Iron McGee
Fluorine Scott
Yttrium Delano Roosevelt

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Phosphorus Jordan
Helium Tennant
Copper Nelson
Antimony Foster
Sodium Perkins
Lead Smiley
Astatine Richardson

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Dysprosium Schwartz
Silver Kelly
Cerium O'Rourke
Arsenic Hall

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Uranium Michaels
Mercury Radkowitz
Oganesson Peterson
Cadmium St. John

BIG FLUFFY DOG
Feb 16, 2011

On the internet, nobody knows you're a dog.


Vincent Van Goatse posted:

Phosphorus Jordan
Helium Tennant
Copper Nelson
Antimony Foster
Sodium Perkins
Lead Smiley
Astatine Richardson


Vincent Van Goatse posted:

Dysprosium Schwartz
Silver Kelly
Cerium O'Rourke
Arsenic Hall

Vincent Van Goatse posted:

Hydrogen Jones
Tellurium Smith
Protactinium Rodgers
Oxygen Willis
Cobalt McAllister
Boron Jennings
Iron McGee
Fluorine Scott
Yttrium Delano Roosevelt


Vincent Van Goatse posted:

Uranium Michaels
Mercury Radkowitz
Oganesson Peterson
Cadmium St. John

Reactions to these lists

1. Is this a reference to something?

2. I don't get it.

3. Why are there 4 posts?

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose

BIG FLUFFY DOG posted:

Reactions to these lists

1. Is this a reference to something?

2. I don't get it.

3. Why are there 4 posts?

Terbium Duncan
Silicon Anderson
Gold Billings
Plutonium Stokowski

ultrafilter
Aug 23, 2007

It's okay if you have any questions.


BIG FLUFFY DOG posted:

Reactions to these lists

1. Is this a reference to something?

2. I don't get it.

3. Why are there 4 posts?


Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Bromine Dalgleish
Hassium McKenzie
Dubnium Watts
Californium Andrews

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Manganese Dubois
Scandium Langley
Beryllium O'Connor
Vanadium Reynolds
Polonium Brzęczyszczykiewicz

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Gallium Russell
Neodymium Bailey
Argon Griswold
Tennessine Costello

Vincent Van Goatse
Nov 8, 2006

Enjoy every sandwich.

Smellrose
Thorium Patterson
Nihonium Gomez
Holmium Jackson
Zinc Hewitt
Beryllium Carr
Silicon Tanaka

Missing Fox
Apr 19, 2015
Days of the week

friday
monday
saturday
sunday
thursday
tuesday
wednesday

Jaguars!
Jul 31, 2012


Jaguars!'s favourite BYOB Threads and not just the ones he got emptyquoted in:

15. Jock Jazz

14. Extremely Boring man with a jetpack

13. bringing news of a video game soldiers' fate to their loved ones

12. Medieval Butt museum

11. The Adventures of Robert

10. itt we're general contractors explaining why we need another $1000

9. Unionizing the dick-sucking factory

8. kinda messed up that nobody tried to stop joe in that one jimi hendrix song

7. Wet rear end Pussy

6. ITT we are aspiring, but unsuccessful asmr artists on YouTube

5. good names for post-apocalyptic raiding gangs

4. TS-1031

3. Kicked out of starfleet

2. Audience members at the martial arts tournament

1. The Inconvenience store

F_Shit_Fitzgerald
Feb 2, 2017



Typical '90s kid things I missed out on for whatever reason:
1. Space Jam (never seen it)
2. Clueless (never seen it)
3. PB Crisps
4. Dunkaroos
5. Pokemon (I was 13/14 when it got big in the States; a bit too old for its target demographic)
6. Ren and Stimpy (never watched it)

F_Shit_Fitzgerald has a new favorite as of 02:10 on Jul 11, 2022

Adbot
ADBOT LOVES YOU

tight aspirations
Jul 13, 2009

List of things I learned today that perturbed me, and led me to the equally troubling fact that Skeletor is in fact He-Man's uncle

- Skeletor is not a lich, necromancer or skeleton.

  • 1
  • 2
  • 3
  • 4
  • 5
  • Post
  • Reply