Update
This commit is contained in:
parent
69394ab8da
commit
d5e4b36718
11 changed files with 1790 additions and 1770 deletions
25
algorithm.md
25
algorithm.md
|
@ -2,7 +2,7 @@
|
||||||
|
|
||||||
Algorithm (from the name of Persian mathematician Muhammad ibn Musa al-Khwarizmi) is an exact step-by-step description of how to solve some type of a problem. Algorithms are basically what [programming](programming.md) is all about: we tell [computers](computer.md), in very exact ways (with [programming languages](programming_language.md)), how to solve problems -- we write algorithms. But algorithms don't have to be just computer programs, they are simply exact instruction for solving problems. Although maybe not as obvious, [mathematics](math.md) is also a lot about creating algorithms because it strives to give us exact instructions for solving problems -- a mathematical formula usually tells us what we have to do to compute something, so in a way it is an algorithm too.
|
Algorithm (from the name of Persian mathematician Muhammad ibn Musa al-Khwarizmi) is an exact step-by-step description of how to solve some type of a problem. Algorithms are basically what [programming](programming.md) is all about: we tell [computers](computer.md), in very exact ways (with [programming languages](programming_language.md)), how to solve problems -- we write algorithms. But algorithms don't have to be just computer programs, they are simply exact instruction for solving problems. Although maybe not as obvious, [mathematics](math.md) is also a lot about creating algorithms because it strives to give us exact instructions for solving problems -- a mathematical formula usually tells us what we have to do to compute something, so in a way it is an algorithm too.
|
||||||
|
|
||||||
Cooking recipes are commonly given as an example of a non-computer algorithm, though they rarely contain branching ("if condition holds then do...") and loops ("while a condition holds do ..."), the key features of algorithms. The so called wall-follower is a simple algorithm to get out of any [maze](maze.md) which doesn't have any disconnected walls: you just pick either a left-hand or right-hand wall and then keep following it. You may write a crazy algorithm basically for any kind of problem, e.g. for how to clean a room or how to get a [girl](woman.md) to bed, but it has to be **precise** so that anyone can execute the algorithm just by blindly following the steps; if there is any ambiguity, it is not considered an algorithm; a vague, imprecise "hint" on how to find a solution (e.g. "the airport is somewhere in this general direction.") we rather call a [heuristic](heuristic.md). Heuristics are useful too and they may be utilized by an algorithm, e.g. to find a precise solution faster, but from programmer's point of view algorithms, the PRECISE ways of finding solutions, are the basics of everything.
|
Cooking recipes are commonly given as an example of a non-computer algorithm, though they rarely contain branching ("if condition holds then do...") and loops ("while a condition holds do ..."), the key features of algorithms. The so called wall-follower is a simple algorithm to get out of any [maze](maze.md) which doesn't have any disconnected walls: you just pick either a left-hand or right-hand wall and then keep following it. Long division of numbers which students are taught at school is also an algorithm. You may write a crazy algorithm basically for any kind of problem, e.g. for how to clean a room or how to get a [girl](woman.md) to bed, but it has to be **precise** so that anyone can execute the algorithm just by blindly following the steps; if there is any ambiguity, it is not considered an algorithm; a vague, imprecise "hint" on how to find a solution (e.g. "the airport is somewhere in this general direction.") we rather call a [heuristic](heuristic.md). Heuristics are useful too and they may be utilized by an algorithm, e.g. to find a precise solution faster, but from programmer's point of view algorithms, the PRECISE ways of finding solutions, are the basics of everything.
|
||||||
|
|
||||||
Interesting fact: contrary to intuition there are problems that are mathematically proven to be unsolvable by any algorithm, see [undecidability](undecidability.md), but for most practically encountered problems we can write an algorithm (though for some problems even our best algorithms can be unusably [slow](time_complexity.md)).
|
Interesting fact: contrary to intuition there are problems that are mathematically proven to be unsolvable by any algorithm, see [undecidability](undecidability.md), but for most practically encountered problems we can write an algorithm (though for some problems even our best algorithms can be unusably [slow](time_complexity.md)).
|
||||||
|
|
||||||
|
@ -98,6 +98,25 @@ if divisors == 2:
|
||||||
print("It is a prime!")
|
print("It is a prime!")
|
||||||
```
|
```
|
||||||
|
|
||||||
|
in [JavaScript](javascript.md) as:
|
||||||
|
|
||||||
|
```
|
||||||
|
function main()
|
||||||
|
{
|
||||||
|
let x = parseInt(prompt("enter a number:"));
|
||||||
|
let divisorCount = 0;
|
||||||
|
|
||||||
|
for (let i = 1; i <= x; ++i)
|
||||||
|
if (x % i == 0) // i divides x?
|
||||||
|
divisorCount++;
|
||||||
|
|
||||||
|
console.log("divisors: " + divisorCount);
|
||||||
|
|
||||||
|
if (divisorCount == 2)
|
||||||
|
console.log("It is a prime!");
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
in [C](c.md) as:
|
in [C](c.md) as:
|
||||||
|
|
||||||
```
|
```
|
||||||
|
@ -148,7 +167,7 @@ variable divisorCount
|
||||||
0 divisorCount !
|
0 divisorCount !
|
||||||
|
|
||||||
x @ 1+ 1 do
|
x @ 1+ 1 do
|
||||||
x @ i mod 0 = if
|
x @ i mod 0 = if \ i divides x?
|
||||||
1 divisorCount +!
|
1 divisorCount +!
|
||||||
then
|
then
|
||||||
loop
|
loop
|
||||||
|
@ -221,6 +240,8 @@ and in Scheme [Lisp](lisp.md) as (here notice the difference in [paradigm](parad
|
||||||
(countDivisors (read) 1 0)
|
(countDivisors (read) 1 0)
|
||||||
```
|
```
|
||||||
|
|
||||||
|
TODO: assembly, haskell, unix shell, ...
|
||||||
|
|
||||||
This algorithm is however not very efficient and could be **[optimized](optimization.md)** -- for example not only we wouldn't have to check if a number is divisible by 1 and itself (as every number is), but there is also no need to check divisors higher than the [square root](sqrt.md) of the checked value (mathematically above square root there only remain divisors that are paired with the ones already found below the square root) so we could lower the number of the loop iterations and so make the algorithm finish faster. You may try to improve the algorithm this way as an exercise :-)
|
This algorithm is however not very efficient and could be **[optimized](optimization.md)** -- for example not only we wouldn't have to check if a number is divisible by 1 and itself (as every number is), but there is also no need to check divisors higher than the [square root](sqrt.md) of the checked value (mathematically above square root there only remain divisors that are paired with the ones already found below the square root) so we could lower the number of the loop iterations and so make the algorithm finish faster. You may try to improve the algorithm this way as an exercise :-)
|
||||||
|
|
||||||
## Study of Algorithms
|
## Study of Algorithms
|
||||||
|
|
|
@ -1,8 +1,8 @@
|
||||||
# Ashley Jones
|
# Ashley Jones
|
||||||
|
|
||||||
*"Either she's a genius comedian or he's a genius comedian."* --comment under one of her videos
|
*"Either she's genius at comedy or he's genius at comedy."* --comment under one of her videos
|
||||||
|
|
||||||
Ashley Jones (born around 1999) is a rare specimen of a [based](based.md) [American](usa.md) biological (which on occasion gets questioned) [woman](woman.md) on the [Internet](internet.md), a [politically incorrect](political_correctness.md) [red pilled](red_pill.md) comedian who is sadly no longer underage. Ashley Jones IS NOT DANGEROUS. She got famous through [4chan](4chan.md) and similar boards thanks to having become red pilled at quite an early age: her being a pretty [underage girl](jailbait.md) on 4chan definitely contributed to her fame, however she started to create masterful OC comedic videos with which she managed to win the hearts of dedicated fans that wouldn't abandon her even after they could legally have sex with her (at least in theory). For some time she used mainstream platforms but, of course, [censorship](censorship.md) would eventually lead her to self-hosting all her stuff with [free software](free_software.md), which she now supports. She has pug [dogs](dog.md) and in one video said she had a brother, but not much else is known about her.
|
Ashley Jones (born around 1999) is a rare specimen of a [based](based.md) [American](usa.md) biological (which on occasion gets questioned) [woman](woman.md) on the [Internet](internet.md), a [politically incorrect](political_correctness.md) [red pilled](red_pill.md) comedienne who is sadly no longer underage. Ashley Jones IS NOT DANGEROUS. She got famous through [4chan](4chan.md) and similar boards thanks to having become red pilled at quite an early age: her being a pretty [underage girl](jailbait.md) on 4chan definitely contributed to her fame, however she started to create masterful OC comedic videos with which she managed to win the hearts of dedicated fans that wouldn't abandon her even after they could legally have sex with her (at least in theory). For some time she used mainstream platforms but, of course, [censorship](censorship.md) would eventually lead her to self-hosting all her stuff with [free software](free_software.md), which she now supports. She has pug [dogs](dog.md) and in one video said she had a brother, but not much else is known about her.
|
||||||
|
|
||||||
Her website is currently at **[https://icum.to](https://icum.to)**. Some of her old videos are archived on [jewtube](youtube.md) and bitchute. If you can, please go donate to Ashley right now, we don't want her to starve!
|
Her website is currently at **[https://icum.to](https://icum.to)**. Some of her old videos are archived on [jewtube](youtube.md) and bitchute. If you can, please go donate to Ashley right now, we don't want her to starve!
|
||||||
|
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
# Backgammon
|
# Backgammon
|
||||||
|
|
||||||
Backgammon is an old, very popular board [game](game.md) of both skill and [chance](randomness.md) (dice rolling) in which players race their stones from one side of the board to the other. It often involves betting (but can also be played without it) and is especially popular in countries of Near East such as Egypt, Syria etc. (where it is kind of what [chess](chess.md) is to our western world or what [shogi](shogi.md) and [go](go.md) are to Asia). It is a very old game whose predecessors were played by old Romans and can be traced even as far as 3000 BC. Similarly to [chess](chess.md), [go](go.md), [shogi](shogi.md) and other traditional board games backgammon is considered by [us](lrs.md) to be one of the best games as it is [owned by no one](public_domain.md), highly [free](free.md), cheap, simple yet deep and entertaining and can be played even without a [computer](computer.md), just with a bunch of [rocks](rock.md); compared to the other mentioned board games backgammon is unique by involving an element of chance and being only played on [1 dimensional](1d.md) board; it is also relatively simple and therefore noob-friendly and possibly more relaxed (if you lose you can just blame it on rolling bad numbers).
|
Backgammon is an old, very popular board [game](game.md) of both skill and [chance](randomness.md) (dice rolling) in which players [race](race.md) their stones from one side of the board to the other. It often involves betting (but can also be played without it) and is especially popular in countries of Near East such as Egypt, Syria etc. (where it is kind of what [chess](chess.md) is to our western world or what [shogi](shogi.md) and [go](go.md) are to Asia). It is a very old game whose predecessors were played by old Romans and can be traced even as far as 3000 BC. Similarly to [chess](chess.md), [go](go.md), [shogi](shogi.md) and other traditional board games backgammon is considered by [us](lrs.md) to be one of the best games as it is [owned by no one](public_domain.md), highly [free](free.md), cheap, simple yet deep and entertaining and can be played even without a [computer](computer.md), just with a bunch of [rocks](rock.md); compared to the other mentioned board games backgammon is unique by involving an element of chance and being only played on [1 dimensional](1d.md) board; it is also relatively simple and therefore noob-friendly and possibly more relaxed (if you lose you can just blame it on rolling bad numbers).
|
||||||
|
|
||||||
## Rules
|
## Rules
|
||||||
|
|
||||||
|
@ -44,7 +44,7 @@ Once the player has all his stones in the enemy home board, he can start **beari
|
||||||
|
|
||||||
## Details
|
## Details
|
||||||
|
|
||||||
Despite chance playing some role, skill is highly important and there exist strategies and tactics that maximize once chance of winning -- for example a basic realization is that the different sums you may roll don't have the same probabilities, e.g. 8 can be achieved by 2 + 6 or 2 + 2 + 2 + 2, but 3 only as 2 + 1 -- one can account for this. The highest probability to take the enemy stone with one's own stone is when the stones are 6 places apart. Taking enemy stone while having own stones stacked in all places in enemy home board makes opponent unable to play (he is required to return the stone to play but there is no number that can do it for him). There is also some opening theory.
|
Despite [chance](randomness.md) playing some role, skill is highly important and there exist strategies and tactics that maximize once chance of winning -- for example a basic realization is that the different sums you may roll don't have the same probabilities, e.g. 8 can be achieved by 2 + 6 or 2 + 2 + 2 + 2, but 3 only as 2 + 1 -- one can account for this. The highest probability to take the enemy stone with one's own stone is when the stones are 6 places apart. Taking enemy stone while having own stones stacked in all places in enemy home board makes opponent unable to play (he is required to return the stone to play but there is no number that can do it for him). There is also some opening theory.
|
||||||
|
|
||||||
The game is internationally governed by WBGF (World Backgammon Federation), similarly to how chess is governed by FIDE.
|
The game is internationally governed by WBGF (World Backgammon Federation), similarly to how chess is governed by FIDE.
|
||||||
|
|
||||||
|
|
2
furry.md
2
furry.md
|
@ -2,7 +2,7 @@
|
||||||
|
|
||||||
*"Human seriously believing to be a dog not considered mental illness anymore."* --[21st century](21st_century.md)
|
*"Human seriously believing to be a dog not considered mental illness anymore."* --[21st century](21st_century.md)
|
||||||
|
|
||||||
Furriness is a serious mental [disorder](disease.md) (dolphi will forgive :D) and fetish that makes people become stuck in the infantile stage of development and become extremely creepily obsessed and/or identify with anthropomorphic animals (usually those with fur) far beyond any line of acceptability as a healthy personality trait, they often identify e.g. with [cats](cat.md), foxes or even completely made up species. To a big degree it's a sexual identity but those people just try to pretend (and possibly even believe) they're animals everywhere; not only do they have furry conventions, you just see furry avatars all over the internet, on issue trackers on programming websites and forums, recently zoomer kids started to even e.g. meow in classes because they identify as cats (this caused some huge drama somewhere in the UK). You cannot NOT meet a furry on the [Internet](internet.md). They usually argue it's "cute" and try to make no big deal of it, however that's a mask beyond which something horribly rotten lies. There is something more to furrydom, it's basically a cult that has taken an idea too far, kind of like anorexia takes losing weight a bit too far -- cuteness is OK, however furries are not really cute, they are CREEPY, they take this beyond healthy passion, you see the psychopathic stares in their faces, they take child cartoon characters and fantasize about them being transsexual and gore raping them and having children with them, some even attempt suicides if you insult their favorite characters etc.
|
Furriness is a serious mental [disorder](disease.md) (kittynunu will forgive :D) and fetish that makes people become stuck in the infantile stage of development and become extremely creepily obsessed and/or identify with anthropomorphic animals (usually those with fur) far beyond any line of acceptability as a healthy personality trait, they often identify e.g. with [cats](cat.md), foxes or even completely made up species. To a big degree it's a sexual identity but those people just try to pretend (and possibly even believe) they're animals everywhere; not only do they have furry conventions, you just see furry avatars all over the internet, on issue trackers on programming websites and forums, recently zoomer kids started to even e.g. meow in classes because they identify as cats (this caused some huge drama somewhere in the UK). You cannot NOT meet a furry on the [Internet](internet.md). They usually argue it's "cute" and try to make no big deal of it, however that's a mask beyond which something horribly rotten lies. There is something more to furrydom, it's basically a cult that has taken an idea too far, kind of like anorexia takes losing weight a bit too far -- cuteness is OK, however furries are not really cute, they are CREEPY, they take this beyond healthy passion, you see the psychopathic stares in their faces, they take child cartoon characters and fantasize about them being transsexual and gore raping them and having children with them, some even attempt suicides if you insult their favorite characters etc.
|
||||||
|
|
||||||
Also the furry community -- it's extremely [toxic](toxic.md), firstly as any big internet-centered group it's mostly completely infected with [wokeness](woke.md), [LGBT](lgbt.md)+[feminazism](feminism.md), which combined with the cult behavior may really lead to the community cyber pushing you to suicide if you e.g. question the gender of some child cartoon character (or even if you for example oppose the idea the character has to have some non-binary gender). A favorite hobby of furries is to destroy software project by pushing ugly woke furry mascots, threatening by suicide if the project doesn't accept them. Furries also seem to have a strong love of [copyright](copyright.md) so as to "protect" their shitty amateur art no one would want to copy anyway. Many create their own "fursonas" or "species" and then prohibit others from using them, they are so emotionally invested in this they may literally try to murder you if you do something to the drawing of their character. Stay away.
|
Also the furry community -- it's extremely [toxic](toxic.md), firstly as any big internet-centered group it's mostly completely infected with [wokeness](woke.md), [LGBT](lgbt.md)+[feminazism](feminism.md), which combined with the cult behavior may really lead to the community cyber pushing you to suicide if you e.g. question the gender of some child cartoon character (or even if you for example oppose the idea the character has to have some non-binary gender). A favorite hobby of furries is to destroy software project by pushing ugly woke furry mascots, threatening by suicide if the project doesn't accept them. Furries also seem to have a strong love of [copyright](copyright.md) so as to "protect" their shitty amateur art no one would want to copy anyway. Many create their own "fursonas" or "species" and then prohibit others from using them, they are so emotionally invested in this they may literally try to murder you if you do something to the drawing of their character. Stay away.
|
||||||
|
|
||||||
|
|
6
logic.md
6
logic.md
|
@ -1,12 +1,14 @@
|
||||||
# Logic
|
# Logic
|
||||||
|
|
||||||
TODO: intro
|
Logic (from Greek *logos* -- *reason*) is the study of how to make rational reasoning.
|
||||||
|
|
||||||
TODO: relationship of logic and math, which comes first etc.
|
TODO: moar stuff here, relationship of logic and math, which comes first etc.
|
||||||
|
|
||||||
**Power of logic is limited** (for more please read this excellent resource: http://humanknowledge.net/Thoughts.html) -- though logic is the strongest, most stable platform our knowledge can ever stand on, it is still not infinitely powerful and has its limits, despite what any reddit [atheist](atheism.md) tells you or even what he believes. This sadly [dooms](doom.md) us to certain eternal inability to uncover all there is, we just have to accept from a certain point we are blind and not even logic will help us. [Kurt Godel](godel.md) (along with others, e.g. Tarski) mathematically proved with his [incompleteness theorems](incompleteness.md) that we simply won't be able to prove everything, not even the validity of formal tools we use to prove things. See also [knowability](knowability.md). Even in just intuitive terms: on the lowest level we start using logic to talk about itself, i.e. if we e.g. try to prove that "logic works" using logical arguments, we cannot ever succeed, because if we succeed, the proven fact that "logic works" relies on the fact that logic indeed works; if it perhaps doesn't work and we used it to prove its own validity, we might have simply gotten a wrong result (it's just as if we trust someone saying "I am not a liar", he may as well be lying about not being a liar). By this logic even the previous sentence may or may not actually be true, we simply don't know, sometimes the best we can do is simply hold on to stronger or weaker beliefs. Imagine we have a function *isTrue(x)* that automatically checks if statement *x* is true (returns *true* or *false*), now image we have statement *y* that says *isTrue(y) = false*; our *isTrue* function will fail to correctly evaluate statement *y* (it can't return neither *true* nor *false*, both will lead to contradiction) -- this is a proof that there can never be a computable function that decides whether something is true or not. Logic furthermore cannot talk about many things; it can tell us how the world works but e.g. not WHY it works like it does. Checkmate [atheists](atheist.md).
|
**Power of logic is limited** (for more please read this excellent resource: http://humanknowledge.net/Thoughts.html) -- though logic is the strongest, most stable platform our knowledge can ever stand on, it is still not infinitely powerful and has its limits, despite what any reddit [atheist](atheism.md) tells you or even what he believes. This sadly [dooms](doom.md) us to certain eternal inability to uncover all there is, we just have to accept from a certain point we are blind and not even logic will help us. [Kurt Godel](godel.md) (along with others, e.g. Tarski) mathematically proved with his [incompleteness theorems](incompleteness.md) that we simply won't be able to prove everything, not even the validity of formal tools we use to prove things. See also [knowability](knowability.md). Even in just intuitive terms: on the lowest level we start using logic to talk about itself, i.e. if we e.g. try to prove that "logic works" using logical arguments, we cannot ever succeed, because if we succeed, the proven fact that "logic works" relies on the fact that logic indeed works; if it perhaps doesn't work and we used it to prove its own validity, we might have simply gotten a wrong result (it's just as if we trust someone saying "I am not a liar", he may as well be lying about not being a liar). By this logic even the previous sentence may or may not actually be true, we simply don't know, sometimes the best we can do is simply hold on to stronger or weaker beliefs. Imagine we have a function *isTrue(x)* that automatically checks if statement *x* is true (returns *true* or *false*), now image we have statement *y* that says *isTrue(y) = false*; our *isTrue* function will fail to correctly evaluate statement *y* (it can't return neither *true* nor *false*, both will lead to contradiction) -- this is a proof that there can never be a computable function that decides whether something is true or not. Logic furthermore cannot talk about many things; it can tell us how the world works but e.g. not WHY it works like it does. Checkmate [atheists](atheist.md).
|
||||||
|
|
||||||
## See Also
|
## See Also
|
||||||
|
|
||||||
|
- [math](math.md)
|
||||||
|
- [philosophy](philosophy.md)
|
||||||
- [knowability](knowability.md)
|
- [knowability](knowability.md)
|
||||||
- [science](science.md)
|
- [science](science.md)
|
|
@ -44,7 +44,7 @@ Political correctness comes with a funny little phenomenon in a form of constant
|
||||||
|
|
||||||
Yet another harm of political correctness lies in making people too focused on shallow words instead of focusing on real issues, it actually makes people feel they are helping while they're not. It's not just the harsh punishments for saying bad words, even if they wouldn't do much actual damage, it is also the opposite -- inventing new words and offering them as "solutions" to issues, which has a similar effect of providing false comfort like for example the Facebook mindset of "I am helping the world by changing my profile picture to Ukrainian flag!". For example it's completely absurd how some very old people who have been outsiders for their whole lives because they're simply weird, shy, too stupid or smart, are suddenly offered a supposed comfort by being told: "you're not weird, you're just neurodivergent!" The guy is like "OH MY GOD, my whole life I have suffered, I thought I was just not good with people, but in fact I was just neurodivergent my whole life -- if only I knew back then!". The amount of stupidity is incredible.
|
Yet another harm of political correctness lies in making people too focused on shallow words instead of focusing on real issues, it actually makes people feel they are helping while they're not. It's not just the harsh punishments for saying bad words, even if they wouldn't do much actual damage, it is also the opposite -- inventing new words and offering them as "solutions" to issues, which has a similar effect of providing false comfort like for example the Facebook mindset of "I am helping the world by changing my profile picture to Ukrainian flag!". For example it's completely absurd how some very old people who have been outsiders for their whole lives because they're simply weird, shy, too stupid or smart, are suddenly offered a supposed comfort by being told: "you're not weird, you're just neurodivergent!" The guy is like "OH MY GOD, my whole life I have suffered, I thought I was just not good with people, but in fact I was just neurodivergent my whole life -- if only I knew back then!". The amount of stupidity is incredible.
|
||||||
|
|
||||||
More and more minorities start to jump on the wave of political correctness to kickstart the multiplication of their political capital, everyone wants to get on the scene by demanding more "[rights](rights_culture.md)" and complaints about "offenses" are one of the most effective ways of doing so -- "Hey society, we are the arachnophobia minority and we demand you remove all pictures of spiders because it makes us sad!" Now society has to stop showing spiders, make spider toys, even mention the word spider. What about people who actually like spiders? Fuck them. Did you know there probably exist people who are afraid of color green or maybe cars or circle shapes? Remove all that shit, it might cause slight discomfort to someone! Eventually political correctness, in an attempt to remove any and all possibility of causing discomfort to someone, cripples the whole world for everyone.
|
More and more minorities start to jump on the wave of political correctness to kickstart the multiplication of their political capital, everyone wants to get on the scene by demanding more "[rights](rights_culture.md)" and complaints about "offenses" are one of the most effective ways of doing so -- "Hey society, we are the arachnophobia minority and we demand you remove all pictures of spiders because it makes us sad!" Now society has to stop showing spiders, make spider toys, even mention the word spider. What about people who actually like spiders? Fuck them. Watch out! There are people with epilepsy, PTSD, OCD, rape victims, autism, claustrophobia, agoraphobia, schizophrenia, social phobia, fear of dark, fear of light, fear of fear and plethora of other things. Be sure to not offend any of them! Best if you do nothing AT ALL, that's the safest way. Did you know there probably exist people who are afraid of color green or maybe cars or circle shapes? Remove all that shit, it might cause slight discomfort to someone! Eventually political correctness, in an attempt to remove any and all possibility of causing discomfort to someone, cripples the whole world for everyone, like an overprotective parent ruins a kid's childhood but never letting it go outside, talk to other children, climb trees, touch animals or get dirty. Our society has become an insane, overprotective psychopath.
|
||||||
|
|
||||||
Let us now compare how we, [LRS](lrs.md), approch the issue of "getting offended" versus how the pseudoleft does it. We start with the "problem": people are getting offended. What do we do?
|
Let us now compare how we, [LRS](lrs.md), approch the issue of "getting offended" versus how the pseudoleft does it. We start with the "problem": people are getting offended. What do we do?
|
||||||
|
|
||||||
|
|
3472
random_page.md
3472
random_page.md
File diff suppressed because it is too large
Load diff
2
shogi.md
2
shogi.md
|
@ -4,7 +4,7 @@ Shogi, also called *Japanese chess*, is an old Asian board [game](game.md), very
|
||||||
|
|
||||||
{ Lol apparently (seen in a YT video) when in the opening one exchanges bishops, it is considered [rude](unsportmanship.md) to promote the bishop that takes, as it makes no difference because he will be immediately taken anyway. So ALWAYS DO THIS to piss off your opponent and increase your chance of winning :D ~drummyfish }
|
{ Lol apparently (seen in a YT video) when in the opening one exchanges bishops, it is considered [rude](unsportmanship.md) to promote the bishop that takes, as it makes no difference because he will be immediately taken anyway. So ALWAYS DO THIS to piss off your opponent and increase your chance of winning :D ~drummyfish }
|
||||||
|
|
||||||
**Quick sum up for chess players:** Games are longer. When you get back to chess from shogi your ELO will bump 100 points as it feels so much easier. Pawns are very different (simpler) from chess, they don't take sideways so forget all you know about pawn structure (prepare for bashing your head thinking a pawn guards something, then opponent takes it and you realize you can't retake :D just write gg and start a new game). The drop move will fuck up your brain initially, you have to start considering that opponent can just smash his general literally in front of your king and mate you right there { still fucking happens to me all the time lol :D ~drummyfish }. Exchanges and sacrifices also aren't that simple as any piece you sacrifice YOU GIVE TO THE OPPONENT, so you better not fuck up the final attack on the king or else the opponent just collects a bunch of your pieces and starts his own attack right in your base by dropping those pieces on your king right from the sky. You have to kill swiftly and precisely, it can turn over in an instant. There is no castling (but king safety is still important so you castle manually). Stalemate is a loss (not a draw) but it basically never happens, Japanese hate draws, draws are rare in shogi.
|
**Quick sum up for chess players:** Games are longer. When you get back to chess from shogi your [ELO](elo.md) will bump 100 points as it feels so much easier. Pawns are very different (simpler) from chess, they don't take sideways so forget all you know about pawn structure (prepare for bashing your head thinking a pawn guards something, then opponent takes it and you realize you can't retake :D just write gg and start a new game). The drop move will fuck up your brain initially, you have to start considering that opponent can just smash his general literally in front of your king and mate you right there { still fucking happens to me all the time lol :D ~drummyfish }. Exchanges and sacrifices also aren't that simple as any piece you sacrifice YOU GIVE TO THE OPPONENT, so you better not fuck up the final attack on the king or else the opponent just collects a bunch of your pieces and starts his own attack right in your base by dropping those pieces on your king right from the sky. You have to kill swiftly and precisely, it can turn over in an instant. There is no castling (but king safety is still important so you castle manually). Stalemate is a loss (not a draw) but it basically never happens, Japanese hate draws, draws are rare in shogi.
|
||||||
|
|
||||||
The game's disadvantage and a barrier for entry, especially for westeners, is that the **traditional design of the shogi pieces sucks big time**, for they are just same-colored pieces of wood with Chinese characters written on them which are unintelligible to anyone non-Chinese and even to Chinese this is greatly visually unclear -- all pieces just look the same on first sight and the pieces of both player are distinguished just by their rotation, not color (color is only used in amateur sets to distinguish normal and promoted pieces). But of course you may use different, visually better pieces, which is also an option in many shogi programs -- a popular choice nowadays are so called *international* pieces that show both the Chinese character along with a simple, easily distinguishable piece symbol. There are also sets for children/beginners that have on them visually indicated how the piece moves.
|
The game's disadvantage and a barrier for entry, especially for westeners, is that the **traditional design of the shogi pieces sucks big time**, for they are just same-colored pieces of wood with Chinese characters written on them which are unintelligible to anyone non-Chinese and even to Chinese this is greatly visually unclear -- all pieces just look the same on first sight and the pieces of both player are distinguished just by their rotation, not color (color is only used in amateur sets to distinguish normal and promoted pieces). But of course you may use different, visually better pieces, which is also an option in many shogi programs -- a popular choice nowadays are so called *international* pieces that show both the Chinese character along with a simple, easily distinguishable piece symbol. There are also sets for children/beginners that have on them visually indicated how the piece moves.
|
||||||
|
|
||||||
|
|
2
usa.md
2
usa.md
|
@ -1,6 +1,6 @@
|
||||||
# USA
|
# USA
|
||||||
|
|
||||||
United States of America (also United Shitholes of America, burgerland, USA, US or just "murika") is a [dystopian](dystopia.md) imperialist country of fat, stupid idiots enslaved by [capitalism](capitalism.md), either rightist or [pseudoleftist](pseudoleft.md) [fascists](fascism.md) endlessly obsessed with [money](money.md), [wars](war.md), [fighting](fight_culture.md), shooting their presidents and shooting up their schools. Other things they like include guns, oil, throwing nuclear bombs on cities, detonating nuclear bombs in the sea and crashing planes into their own skyscrapers so that they can invade other countries. USA consists of 50 states located in North America, a continent that ancestors of Americans invaded and have stolen from Indians, the natives whom Americans mass murdered. Americans are stupid idiots with guns who above all value constant societal conflict and make the world so that all people are dragged into such conflict.
|
United States of America (also United Shitholes of America, burgerland, USA, US or just "murika") is a [dystopian](dystopia.md) imperialist country of fat, stupid idiots enslaved by [capitalism](capitalism.md), either rightist or [pseudoleftist](pseudoleft.md) [fascists](fascism.md) endlessly obsessed with [money](money.md), [wars](war.md), [fighting](fight_culture.md), shooting their presidents and shooting up their schools. Other things they like include guns, oil, throwing nuclear bombs on cities, detonating nuclear bombs in the sea and crashing planes into their own skyscrapers so that they can invade other countries. USA consists of 50 states located in North America, a continent that ancestors of Americans invaded and have stolen from Indians, the natives whom Americans mass murdered. Americans are stupid idiots with guns who above all value constant societal conflict and make the world so that all people are dragged into such conflict. It's the land of [NPC](npc.md) and home of the [slave](work.md).
|
||||||
|
|
||||||
{ Sorry to some of my US frens :D I love you <3 ~drummyfish }
|
{ Sorry to some of my US frens :D I love you <3 ~drummyfish }
|
||||||
|
|
||||||
|
|
File diff suppressed because one or more lines are too long
|
@ -3,9 +3,9 @@
|
||||||
This is an autogenerated article holding stats about this wiki.
|
This is an autogenerated article holding stats about this wiki.
|
||||||
|
|
||||||
- number of articles: 590
|
- number of articles: 590
|
||||||
- number of commits: 863
|
- number of commits: 864
|
||||||
- total size of all texts in bytes: 4234588
|
- total size of all texts in bytes: 4234693
|
||||||
- total number of lines of article texts: 32153
|
- total number of lines of article texts: 32156
|
||||||
- number of script lines: 262
|
- number of script lines: 262
|
||||||
- occurences of the word "person": 7
|
- occurences of the word "person": 7
|
||||||
- occurences of the word "nigger": 91
|
- occurences of the word "nigger": 91
|
||||||
|
@ -89,6 +89,20 @@ top 50 5+ letter words:
|
||||||
latest changes:
|
latest changes:
|
||||||
|
|
||||||
```
|
```
|
||||||
|
Date: Wed Aug 21 17:34:42 2024 +0200
|
||||||
|
algorithm.md
|
||||||
|
ashley_jones.md
|
||||||
|
faq.md
|
||||||
|
forth.md
|
||||||
|
lisp.md
|
||||||
|
minimalism.md
|
||||||
|
number.md
|
||||||
|
political_correctness.md
|
||||||
|
programming_language.md
|
||||||
|
random_page.md
|
||||||
|
wiki_pages.md
|
||||||
|
wiki_stats.md
|
||||||
|
woman.md
|
||||||
Date: Mon Aug 19 21:04:41 2024 +0200
|
Date: Mon Aug 19 21:04:41 2024 +0200
|
||||||
bilinear.md
|
bilinear.md
|
||||||
dramatica.md
|
dramatica.md
|
||||||
|
@ -111,23 +125,6 @@ Date: Mon Aug 19 21:04:41 2024 +0200
|
||||||
vector.md
|
vector.md
|
||||||
wiki_pages.md
|
wiki_pages.md
|
||||||
wiki_stats.md
|
wiki_stats.md
|
||||||
Date: Thu Aug 15 12:41:06 2024 +0200
|
|
||||||
bloat.md
|
|
||||||
censorship.md
|
|
||||||
consumerism.md
|
|
||||||
cpp.md
|
|
||||||
determinism.md
|
|
||||||
devuan.md
|
|
||||||
digital_signature.md
|
|
||||||
diogenes.md
|
|
||||||
drummyfish.md
|
|
||||||
faggot.md
|
|
||||||
forth.md
|
|
||||||
information.md
|
|
||||||
internet.md
|
|
||||||
ioccc.md
|
|
||||||
island.md
|
|
||||||
javascript.md
|
|
||||||
```
|
```
|
||||||
|
|
||||||
most wanted pages:
|
most wanted pages:
|
||||||
|
@ -186,6 +183,7 @@ most popular and lonely pages:
|
||||||
- [corporation](corporation.md) (73)
|
- [corporation](corporation.md) (73)
|
||||||
- [chess](chess.md) (71)
|
- [chess](chess.md) (71)
|
||||||
- ...
|
- ...
|
||||||
|
- [anal_bead](anal_bead.md) (5)
|
||||||
- [adam_smith](adam_smith.md) (5)
|
- [adam_smith](adam_smith.md) (5)
|
||||||
- [aaron_swartz](aaron_swartz.md) (5)
|
- [aaron_swartz](aaron_swartz.md) (5)
|
||||||
- [zuckerberg](zuckerberg.md) (4)
|
- [zuckerberg](zuckerberg.md) (4)
|
||||||
|
@ -214,6 +212,5 @@ most popular and lonely pages:
|
||||||
- [deferred_shading](deferred_shading.md) (4)
|
- [deferred_shading](deferred_shading.md) (4)
|
||||||
- [cyber](cyber.md) (4)
|
- [cyber](cyber.md) (4)
|
||||||
- [crow_funding](crow_funding.md) (4)
|
- [crow_funding](crow_funding.md) (4)
|
||||||
- [ashley_jones](ashley_jones.md) (4)
|
|
||||||
- [random_page](random_page.md) (2)
|
- [random_page](random_page.md) (2)
|
||||||
|
|
||||||
|
|
Loading…
Reference in a new issue