Show Posts

This section allows you to view all posts made by this member. Note that you can only see posts made in areas you currently have access to.


Messages - Ono-Sendai

Pages: 1 2 3 [4] 5 6 7 8 9 ... 13
46
Off Topic / Re: Post real life pictures of yourself.
« on: March 07, 2016, 01:10:25 PM »
I took the opportunity to earlier ;)

why is everything about love for you? why do you choose to talk about it here? its all you talk about  :panda:

47
Off Topic / Re: Post real life pictures of yourself.
« on: March 07, 2016, 11:26:20 AM »
oh theres more people who know youre a creep lol. its ok bb, of course its all baseless :)

eventually if you stick around and keep doing this people will actually screenshot/prove what you do around here. then itll be over for you

48
Off Topic / Re: Post real life pictures of yourself.
« on: March 07, 2016, 11:19:39 AM »

i dont need to prove it, im talking to you and we both know its true. i saw it happen in the game and heard about it more through other people. if i was trying to defame you or some crap like that id make a lame drama topic but youre right it is baseless. you, ipquarx, and one other person who i cant remember are the literal homoloveual child enthusiasts that i remember in this community. you can get upset about what ive posted before and call me w/e but its not like im going to think whatever YOU SPECIFICALLY say is legitimate lol

49
Off Topic / Re: Post real life pictures of yourself.
« on: March 07, 2016, 01:12:14 AM »


Photography is cool
werent you supposed to be dead decades ago or somethin?

nice glasses

50
Off Topic / Re: Post real life pictures of yourself.
« on: March 06, 2016, 10:38:05 PM »
>gay stalker posting lewd pictures of himself on a forum filled with plenty of users under 16
>constantly comments on peoples appearances in really weird and suggestive creepy ways
>reinforcing the stereotype that lgbt and cigarettes tend to be creepy flamers
>collects weird dirt on people as well as saving their pictures
>doesnt see that nobody likes him in general BECAUSE hes a creeper
jesus christ. ya i stuffpost but damn :panda:

edit: i remember when you were asking underage 16 year old boys for richard pictures and you had already saved some... this was like 3-4 years ago like come on!! lol

51
Off Topic / Re: Post real life pictures of yourself.
« on: March 06, 2016, 10:19:16 PM »
that smile is a little offputting
its my crazy face

52
Off Topic / Re: Post real life pictures of yourself.
« on: March 06, 2016, 09:45:17 PM »
best teddy

53
Off Topic / Re: Programming Megathread
« on: March 05, 2016, 11:12:39 PM »
I believe that this behavior is most commonly found in linked-list structures.
deques are much more cache friendly than linked lists even if you have a custom allocator for the linked list. it depends on the use case. code that needs to be performant generally shouldnt use linked lists. obviously that doesnt mean you SHOULDN'T use something like std::list anywhere but its just something to keep in mind.

54
Off Topic / Re: Programming Megathread
« on: March 04, 2016, 01:37:04 PM »
oh and if you want sourcemaps to debug you can do that. its a really important part that i left out because they are definitely needed for serious development. chrome's inspector works quite nicely with them

i made my previous post because webpack doesnt need to do what you specified. its extremely flexible albeit confusing at first. i think it definitely is the most workable build solution but it depends on how much mental energy you want to sink into it

55
Off Topic / Re: Programming Megathread
« on: March 04, 2016, 01:28:26 PM »
I didn't really like the way webpack worked (specifically that I had to concatenate everything before I could test it)
webpack works by progressively transforming your data with loaders. it also follows all reference be they js files or actual data resources like images. basically think of your data moving through a pipeline.
here's a webpack config that i made a while ago for something quick. i tend to copy my configs around and modify them. it can be pretty weird at first but webpack can be nice in production environments. it depends if you want to use the grunt/gulp way of doing things or just letting loaders figure it out and adding it to a particular extension's pipeline

ive annotated it a bit so that you hopefully get a feel for some of the things it can do. youre going to have to delve into the docs if you really want to be able to use it on your own but i figure you might be interested is a pseudo-production config
Code: [Select]
let webpack = require('webpack'),
     path    = require('path');

let base_dir = __dirname + '/node_modules/';

let definePlugin = new webpack.DefinePlugin({
  __DEV__:              JSON.stringify(JSON.parse(process.env.BUILD_DEV || 'true')),
  __PRERELEASE__: JSON.stringify(JSON.parse(process.env.BUILD_PRERELEASE || 'false'))
});

// resolve library names in config to js files
function addVendor(name, path) {
  if(!config.resolve.alias)
    config.resolve.alias = {};
  config.resolve.alias[name] = path;
}

let config = {
  // where to start the build and what libraries to use
  // build a separate vendors bundle so that users can cache your libraries and when your
  // code updates they only have to download bundle.js
  entry: {
    app: ['./src/app/main.js'],
    vendors: ['mithril', 'bootstrap', 'jquery', 'bootstrap.css']
  },
  resolve: {
    alias: {
      jquery: 'jquery/dist/jquery'
    },
    root: [path.join(__dirname, 'public/lib')]
  },
  plugins: [
          // names to resolve in the files
new webpack.ProvidePlugin({
        $: 'jquery',
   jQuery: 'jquery',
        m: 'mithril'
    }),
    // in this config we're not minifying pre-minified js... you could minify and dedupe the non-minified production versions
    // of these libraries and potentially get a smaller bundle.js size but builds take longer
    new webpack.optimize.CommonsChunkPlugin('vendors', 'vendors.js')
    // new webpack.optimize.UglifyJsPlugin(),
    // new webpack.optimize.DedupePlugin()
  ],
  // where to output the build bundle.js
  output: {
    path: './public',
    filename: 'bundle.js'
  },
  module: {
    noParse: [],
    // loaders to transform files with certain file extensions read from right to left. data pipelines steps are separated with !
    loaders: [
      {
        test: /\.js$/,
        exclude: [/node_modules/, /public/],
        loader: 'babel',
        query: {
          presets: ['es2015']
        }
      },

      // use msx-loader to transform mithril jsx-like files you can see options being passed to this particular loader
      { test: /\.msx$/, loader: "msx-loader?harmony=true&precompile=true"},

       // sass-loader -> css-loader -> style-loader
      { test: /\.scss$/, loader: "style-loader!css-loader!sass-loader"},
      { test: /\.css$/,  loader: "style-loader!css-loader" },

      { test: /\.png$/,    loader: "file-loader" },

      { test: /\.(woff|woff2)$/,  loader: "url-loader?limit=10000&mimetype=application/font-woff" },
      { test: /\.ttf$/,    loader: "file-loader" },
      { test: /\.eot$/,    loader: "file-loader" },
      { test: /\.svg$/,    loader: "file-loader" }
    ]
  },
  // require('name') without extensions will automatically get files with name.[ext] where [ext] is one of the named extensions
  resolve: {
    extensions: ['', '.js', '.json', '.msx']
  }
};

// add vendor files and provide names.
addVendor('jquery',           base_dir + 'jquery/dist/jquery.min.js');
addVendor('mithril',           base_dir + 'mithril/mithril.min.js');
addVendor('bootstrap',       base_dir + 'bootstrap/dist/js/bootstrap.min.js');
addVendor('bootstrap.css', base_dir + 'bootstrap/dist/css/bootstrap.min.css');

module.exports = config;

you can do way more with it but its really good for large scale projects. this is kind of a messy way to handle css but it works for this config i guess. in the end theres no good build system for real web applications but you need them to handle the complexity of large applications.

oh yeah webpack_dev_server is really cool you should check that out. its kinda like nodemon

No problem! Also, if anyone tells you that browserify is better, their opinion is wrong.

Like, actually wrong.

Browserify is a bloated mess that I'm so glad I've stepped away from. But I guess it still depends on your goal.
it depends on what you want to do. right tool for the right job. i think browserify is alright actually

maybe I'll just go back to a single file. I wouldn't be having ANY OF THESE PROBLEMS
if that works for you, thats great. it depends on how big your application is

56
Off Topic / Re: Post real life pictures of yourself.
« on: February 27, 2016, 12:29:18 AM »
He's trying to bait me into responding by being as condescending and arrogant as possible. Nice demeanor.

Yes I obviously know that there's real science behind it you moron. You're taking my statements out of context as I'm referring to what I was actually talking about: the demographic of sjw teens convincing themselves that they are transgender."Known troll" as referred to by a total of 4 people.

INB4: "Oh, I'm sure that's not what you're referring to honey  :iceCream:
Ono is a lifeless moron who spends their pathetic Friday night baiting on a Lego forum. Ironic tha they used the whole "Lego forum" insult before because they are projecting their insecurities on one right now.
yes yes of course you meant that initially huh :)

time to sleep now. i just wanted you to realize that there was some science behind it so now you know! you actually learned something today! nn babe

57
Off Topic / Re: Post real life pictures of yourself.
« on: February 27, 2016, 12:22:17 AM »
i'ts ono bro
ono deletes all his posts after he makes them so he can pretend he hasn't done this stuff before
check his recent posts bro
does this trigger you honey? im just waiting for akio to reply to my researched post so i can laugh at whats probably going to be mental handicapation

58
Off Topic / Re: Post real life pictures of yourself.
« on: February 27, 2016, 12:12:47 AM »
many studies after the fact show an undeniable beneficial effects of genital reconstructive surgery on postop outcomes like well-being, cosmesis, and loveual function (DeCuypere et al., 2005; Gijs & Brewaeys, 2007; Klein & Gorzalka, 2009; Pfafflin & Junge, 1998). loveual reassignment surgery has also been found to lead to a quantitative decrease in Self Delete attempts and drug use in post-operative populations (C. Mate-Kole et al., 1990). studies where affirming care was denied, patients showed significantly worse outcomes (Ainsworth and Spiegel, 2010; C. Mate-Kole et al., 1990).

http://www.apsa.org/content/2012-position-statement-attempts-change-loveual-orientation-gender-identity-or-gender
Quote
"Psychobrown townytic technique does not encompass purposeful attempts to "convert," "repair," change or shift an individual's loveual orientation, gender identity or gender expression. Such directed efforts are against fundamental principles of psychobrown townytic treatment and often result in substantial psychological pain by reinforcing damaging internalized attitudes."

luckily medicine and mental health organizations follow actual peer-reviewed research on this topic when they develop a policy instead of listening to people on lego forums insisting it doesnt exist because they think its weird  :cookie:. interlove people exist and and snake and vagina isnt a perfect or exact determination of 'gender' despite what you say.

shall i dig up more scientific research? are you going to resort to conspiracy to claim that modern science is all wrong despite peer reviewed research and that you know more than them? ive seen it before! lets see what you say buddy boy :)

59
Off Topic / Re: Post real life pictures of yourself.
« on: February 27, 2016, 12:00:49 AM »
lets see heres some more links to peer reviewed studies on the biological bases of trans and more https://docs.google.com/spreadsheets/d/tsOmDzA5fRX2EH5Mg11kqIg/htmlview?pli=1

but of course it doesnt exist. its not real xD! theres no real science behind it all!

if i dont believe it it doesnt exist >:(

off urself feg :iceCream:

60
Off Topic / Re: Post real life pictures of yourself.
« on: February 26, 2016, 11:52:08 PM »
The reason why I despise transgender-ism is that

1. It's not real.

2. It's being shoved down our throats to try and name it socially acceptable (which it shouldn't be IMO).

Has anyone else noticed that the majority of these new "trans" teens seem to be social outcasts / have depression / tumblr tier bs propagation?
wew.

it's not like theres pretty clear biological origins

European Journal of Physiology, 2013
Quote
"Gender-dependent differentiation of the brain has been detected at every level of organization -- morphological, neurochemical, and functional -- and has been shown to be primarily controlled by love differences in gonadal steroid hormone levels during perinatal development."

Neuroscience in the 21st Century, 2013
Quote
"Gender identity (the conviction of belonging to the male or female gender), loveual orientation (hetero-, homo-, or biloveuality) ... are programmed into our brain during early development. There is no evidence that postnatal social environments have any crucial effect on gender identity or loveual orientation."

Journal of Pediatric Endocrinology and Metabolism, 2010
Quote
"There is strong evidence that high concentrations of androgens lead to more male-typical behavior and that this also influences gender identity."

WPATH
Quote
"Treatment aimed at trying to change a person's gender identity and expression to become more congruent with love assigned at birth has been attempted in the past without success (Gelder & Marks, 1969; Greenson, 1964), particularly in the long term (Cohen-Kettenis & Kuiper, 1984; Pauly, 1965). Such treatment is no longer considered ethical."

>muh chromosomes
actually there are people out there who's primary love characterisitics dont match their gender identity: people can  have androgen-insensitivity syntrom, 5 alpha reductase deficiency, swyer syndrom, genetic mosaicism, 17-beta-hydroxysteroid dehydrogenase III deficiency, progestine-induced virilisation, prenatal exposure to diethylstilbestrol, or gender dysphoria. there's more kinda of endocrine disorders as well.
https://www.google.com/search?q=androgen-insensitivity+syndrome&rlz=1CDGOYI_enUS666US666&oq=androgen-insensitivity+syndrome&aqs=chrome..69i57j0l3&sourceid=chrome-mobile&ie=UTF-8&hl=en-US#imgrc=_
http://ghr.nlm.nih.gov/condition/5-alpha-reductase-deficiency
https://www.google.com/search?q=Swyer+syndrome&rlz=1CDGOYI_enUS666US666&oq=Swyer+syndrome&aqs=chrome..69i57j0j5j0&sourceid=chrome-mobile&ie=UTF-8&hl=en-US#imgrc=_
https://en.m.wikipedia.org/wiki/Mosaic_(genetics)
http://ghr.nlm.nih.gov/condition/17-beta-hydroxysteroid-dehydrogenase-3-deficiency
https://en.m.wikipedia.org/wiki/Progestin-induced_virilisation
http://www.aafp.org/afp/2004/0515/p2395.html
https://www.google.com/search?safe=off&rlz=1CDGOYI_enUS666US666&hl=en-US&ei=ywJLVoGlMMSAmQHkrqfYAw&q=endocrine+system&oq=endocrine+system&gs_l=mobile-gws-serp.3..0i67l2j0j0i20j0.69902.79919.0.80646.33.28.5.5.5.0.318.3361.8j17j1j1.27.0..2..0...1.1.64.mobile-gws-serp..5.28.2293.0.DU8JFwrl-PI#imgrc=_


hmm also what about dsm-5??
Quote
"DSM-5 aims to avoid stigma and ensure clinical care for individuals who see and feel themselves to be a different gender than their assigned gender. It replaces the diagnostic name "Gender Identity Disorder" with "Gender Dysphoria", as well as makes other important clarifications in the criteria. It is important to note that gender non-conformity is not in itself a mental disorder. The critical element of gender dysphoria is the presence of clinically significant distress associated with the condition."

>Self Deletes
>what is minority stress as well as not passing
https://en.wikipedia.org/wiki/Minority_stress
https://www.ncbi.nlm.nih.gov/pubmed/20461468


you can theorize about whether or not exists but i think that i'll put more stock into people who actually do real research rather than stuffpost on a lego forum  :cookieMonster:

Pages: 1 2 3 [4] 5 6 7 8 9 ... 13