19 |
20 |
29 |
30 |
31 |
--------------------------------------------------------------------------------
/Projects/Day_41-43/HTML-Personal_Site/css/styles.css:
--------------------------------------------------------------------------------
1 | body {
2 | background-color: rgb(225, 241, 243);
3 | }
4 |
5 | hr {
6 | border-color: grey;
7 | border-style: dotted none none;
8 | border-width: 5px;
9 | width: 5%;
10 | }
11 |
12 | h1,
13 | h3 {
14 | color: #66BFBF;
15 | }
--------------------------------------------------------------------------------
/Projects/Day_41-43/HTML-Personal_Site/images/Me_400x400.jpg:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_41-43/HTML-Personal_Site/images/Me_400x400.jpg
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/favicon.ico
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/images/angela.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/images/angela.png
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/images/chillies.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/images/chillies.png
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/images/cloud.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/images/cloud.png
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/images/computer.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/images/computer.png
--------------------------------------------------------------------------------
/Projects/Day_44/CSS-My_Personal_Site/resources/images/mountain.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_44/CSS-My_Personal_Site/resources/images/mountain.png
--------------------------------------------------------------------------------
/Projects/Day_45/main.py:
--------------------------------------------------------------------------------
1 | from bs4 import BeautifulSoup
2 | import requests
3 |
4 | # with open("website.html", "r") as file:
5 | # contents = file.read()
6 |
7 | # soup = BeautifulSoup(contents, "html.parser")
8 |
9 | # #print(soup.title)
10 | # #print(soup.title.string)
11 |
12 | # all_anchor_tags = soup.find_all(name="a")
13 |
14 | # #for tag in all_anchor_tags:
15 | # #print(tag.getText())
16 | # #print(tag.get("href"))
17 |
18 | # #heading = soup.find(name="h1", id="name")
19 | # #print(heading)
20 |
21 | # #section_heading = soup.find(name="h3", class_="heading")
22 | # #print(section_heading)
23 |
24 | # company_url = soup.select_one(selector="p a")
25 | # print(company_url)
26 |
27 | # response = requests.get("https://news.ycombinator.com/news")
28 |
29 | # yc_web_page = response.text
30 |
31 | # soup = BeautifulSoup(yc_web_page, "html.parser")
32 |
33 | # print(soup.title)
34 |
35 | # articles = soup.find_all(name="a", class_="storylink")
36 | # article_texts = []
37 | # article_links = []
38 | # for article_tag in articles:
39 | # text = article_tag.getText()
40 | # article_texts.append(text)
41 |
42 | # link = article_tag.get("href")
43 | # article_links.append(link)
44 |
45 |
46 | # article_upvotes = [int(score.getText().split()[0]) for score in soup.find_all(name="span", class_="score")]
47 |
48 | # #print(article_texts)
49 | # #print(article_links)
50 | # print(article_upvotes)
51 |
52 | # #print(article_upvotes[0].split()[0])
53 |
54 | # index_max = article_upvotes.index(max(article_upvotes))
55 | # print(article_texts[index_max])
56 | # print(article_links[index_max])
57 |
58 | URL = "https://www.empireonline.com/movies/features/best-movies-2/"
59 | response = requests.get(URL)
60 | empire_web_page_html = response.text
61 |
62 | soup = BeautifulSoup(empire_web_page_html, "html.parser")
63 |
64 | top_movies = soup.find_all(name="h3", class_="title")
65 |
66 |
67 | movie_titles = [movie.getText() for movie in top_movies]
68 |
69 | movies = movie_titles[::-1]
70 |
71 | with open("list_top_100_movies.txt", "w") as file:
72 | for movie in movies:
73 | file.write(f"{movie}\n")
--------------------------------------------------------------------------------
/Projects/Day_46/main.py:
--------------------------------------------------------------------------------
1 | from bs4 import BeautifulSoup
2 | import requests
3 | import spotipy
4 | from keys import SPOTIFY_CLIENT_ID, SPOTIFY_CLIENT_SECRET
5 | from spotipy.oauth2 import SpotifyOAuth
6 |
7 |
8 | BILLBOARD_URL = "https://www.billboard.com/charts/hot-100/"
9 | SPOTIFY_SEARCH_ENDPOINT = "https://api.spotify.com/v1/search"
10 |
11 | date = input("Which year do you want to travel to? Type the date in this format YYYY-MM-DD: ")
12 |
13 | url = BILLBOARD_URL + date
14 | response = requests.get(url)
15 | billboard_page_html = response.text
16 |
17 | soup = BeautifulSoup(billboard_page_html, "html.parser")
18 |
19 | list_songs = soup.find_all(name="span", class_="chart-element__information__song text--truncate color--primary")
20 |
21 | songs = [song.getText() for song in list_songs]
22 |
23 | sp = spotipy.Spotify(auth_manager=SpotifyOAuth(
24 | scope="playlist-modify-private",
25 | client_id=SPOTIFY_CLIENT_ID,
26 | client_secret=SPOTIFY_CLIENT_SECRET,
27 | redirect_uri="http://example.com",
28 | show_dialog=True,
29 | cache_path="token.txt"
30 | )
31 | )
32 |
33 | user_id = sp.current_user()["id"]
34 | song_uris = []
35 |
36 | for song in songs:
37 | result = sp.search(q=f"track:{song} year:{date[:4]}", type="track")
38 | #print(result)
39 | try:
40 | uri = result["tracks"]["items"][0]["uri"]
41 | song_uris.append(uri)
42 | except IndexError:
43 | print(f"{song} doesn't exist in Spotify. Skipped.")
44 |
45 | playlist = sp.user_playlist_create(user=user_id, name=f"{date} Billboard 100", public=False)
46 | #print(playlist)
47 |
48 | sp.playlist_add_items(playlist_id=playlist["id"], items=song_uris)
--------------------------------------------------------------------------------
/Projects/Day_49/LEGO_Analysis/assets/bricks.jpg:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_49/LEGO_Analysis/assets/bricks.jpg
--------------------------------------------------------------------------------
/Projects/Day_49/LEGO_Analysis/assets/lego_sets.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_49/LEGO_Analysis/assets/lego_sets.png
--------------------------------------------------------------------------------
/Projects/Day_49/LEGO_Analysis/assets/lego_themes.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_49/LEGO_Analysis/assets/lego_themes.png
--------------------------------------------------------------------------------
/Projects/Day_49/LEGO_Analysis/assets/rebrickable_schema.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_49/LEGO_Analysis/assets/rebrickable_schema.png
--------------------------------------------------------------------------------
/Projects/Day_50/Google_Trends_Data_Viz/Bitcoin Search Trend.csv:
--------------------------------------------------------------------------------
1 | MONTH,BTC_NEWS_SEARCH
2 | 2014-09,5
3 | 2014-10,4
4 | 2014-11,4
5 | 2014-12,4
6 | 2015-01,5
7 | 2015-02,4
8 | 2015-03,6
9 | 2015-04,3
10 | 2015-05,3
11 | 2015-06,3
12 | 2015-07,4
13 | 2015-08,3
14 | 2015-09,3
15 | 2015-10,3
16 | 2015-11,4
17 | 2015-12,5
18 | 2016-01,4
19 | 2016-02,4
20 | 2016-03,5
21 | 2016-04,3
22 | 2016-05,6
23 | 2016-06,6
24 | 2016-07,6
25 | 2016-08,6
26 | 2016-09,5
27 | 2016-10,5
28 | 2016-11,5
29 | 2016-12,6
30 | 2017-01,9
31 | 2017-02,8
32 | 2017-03,12
33 | 2017-04,5
34 | 2017-05,15
35 | 2017-06,13
36 | 2017-07,14
37 | 2017-08,22
38 | 2017-09,26
39 | 2017-10,25
40 | 2017-11,50
41 | 2017-12,100
42 | 2018-01,62
43 | 2018-02,52
44 | 2018-03,30
45 | 2018-04,25
46 | 2018-05,21
47 | 2018-06,18
48 | 2018-07,18
49 | 2018-08,20
50 | 2018-09,17
51 | 2018-10,14
52 | 2018-11,23
53 | 2018-12,19
54 | 2019-01,15
55 | 2019-02,15
56 | 2019-03,14
57 | 2019-04,19
58 | 2019-05,26
59 | 2019-06,26
60 | 2019-07,21
61 | 2019-08,17
62 | 2019-09,15
63 | 2019-10,16
64 | 2019-11,14
65 | 2019-12,14
66 | 2020-01,16
67 | 2020-02,18
68 | 2020-03,15
69 | 2020-04,15
70 | 2020-05,22
71 | 2020-06,13
72 | 2020-07,14
73 | 2020-08,16
74 | 2020-09,13
--------------------------------------------------------------------------------
/Projects/Day_51/Google_Play_Store_Project/Paid Apps Price Distribution by Category.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_51/Google_Play_Store_Project/Paid Apps Price Distribution by Category.png
--------------------------------------------------------------------------------
/Projects/Day_52/Computation_with_NumPy/yummy_macarons.jpg:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/cedoula/100-days-of-code-python/723379860fcadb2d8d3cda8deccb40c1a3dc4adb/Projects/Day_52/Computation_with_NumPy/yummy_macarons.jpg
--------------------------------------------------------------------------------
/Projects/Day_55/Dr_Semmelweis_Analysis/annual_deaths_by_clinic.csv:
--------------------------------------------------------------------------------
1 | year,births,deaths,clinic
2 | 1841,3036,237,clinic 1
3 | 1842,3287,518,clinic 1
4 | 1843,3060,274,clinic 1
5 | 1844,3157,260,clinic 1
6 | 1845,3492,241,clinic 1
7 | 1846,4010,459,clinic 1
8 | 1841,2442,86,clinic 2
9 | 1842,2659,202,clinic 2
10 | 1843,2739,164,clinic 2
11 | 1844,2956,68,clinic 2
12 | 1845,3241,66,clinic 2
13 | 1846,3754,105,clinic 2
14 |
--------------------------------------------------------------------------------
/Projects/Day_55/Dr_Semmelweis_Analysis/monthly_deaths.csv:
--------------------------------------------------------------------------------
1 | date,births,deaths
2 | 1841-01-01,254,37
3 | 1841-02-01,239,18
4 | 1841-03-01,277,12
5 | 1841-04-01,255,4
6 | 1841-05-01,255,2
7 | 1841-06-01,200,10
8 | 1841-07-01,190,16
9 | 1841-08-01,222,3
10 | 1841-09-01,213,4
11 | 1841-10-01,236,26
12 | 1841-11-01,235,53
13 | 1842-01-01,307,64
14 | 1842-02-01,311,38
15 | 1842-03-01,264,27
16 | 1842-04-01,242,26
17 | 1842-05-01,310,10
18 | 1842-06-01,273,18
19 | 1842-07-01,231,48
20 | 1842-08-01,216,55
21 | 1842-09-01,223,41
22 | 1842-10-01,242,71
23 | 1842-11-01,209,48
24 | 1842-12-01,239,75
25 | 1843-01-01,272,52
26 | 1843-02-01,263,42
27 | 1843-03-01,266,33
28 | 1843-04-01,285,34
29 | 1843-05-01,246,15
30 | 1843-06-01,196,8
31 | 1843-07-01,191,1
32 | 1843-08-01,193,3
33 | 1843-09-01,221,5
34 | 1843-10-01,250,44
35 | 1843-11-01,252,18
36 | 1843-12-01,236,19
37 | 1844-01-01,244,37
38 | 1844-02-01,257,29
39 | 1844-03-01,276,47
40 | 1844-04-01,208,36
41 | 1844-05-01,240,14
42 | 1844-06-01,224,6
43 | 1844-07-01,206,9
44 | 1844-08-01,269,17
45 | 1844-09-01,245,3
46 | 1844-10-01,248,8
47 | 1844-11-01,245,27
48 | 1844-12-01,256,27
49 | 1845-01-01,303,23
50 | 1845-02-01,274,13
51 | 1845-03-01,292,13
52 | 1845-04-01,260,11
53 | 1845-05-01,296,13
54 | 1845-06-01,280,20
55 | 1845-07-01,245,15
56 | 1845-08-01,251,9
57 | 1845-09-01,237,25
58 | 1845-10-01,283,42
59 | 1845-11-01,265,29
60 | 1845-12-01,267,28
61 | 1846-01-01,336,45
62 | 1846-02-01,293,53
63 | 1846-03-01,311,48
64 | 1846-04-01,253,48
65 | 1846-05-01,305,41
66 | 1846-06-01,266,27
67 | 1846-07-01,252,33
68 | 1846-08-01,216,39
69 | 1846-09-01,271,39
70 | 1846-10-01,254,38
71 | 1846-11-01,297,32
72 | 1846-12-01,298,16
73 | 1847-01-01,311,10
74 | 1847-02-01,312,6
75 | 1847-03-01,305,11
76 | 1847-04-01,312,57
77 | 1847-05-01,294,36
78 | 1847-06-01,268,6
79 | 1847-07-01,250,3
80 | 1847-08-01,264,5
81 | 1847-09-01,262,12
82 | 1847-10-01,278,11
83 | 1847-11-01,246,11
84 | 1847-12-01,273,8
85 | 1848-01-01,283,10
86 | 1848-02-01,291,2
87 | 1848-03-01,276,0
88 | 1848-04-01,305,2
89 | 1848-05-01,313,3
90 | 1848-06-01,264,3
91 | 1848-07-01,269,1
92 | 1848-08-01,261,0
93 | 1848-09-01,312,3
94 | 1848-10-01,299,7
95 | 1848-11-01,310,9
96 | 1848-12-01,373,5
97 | 1849-01-01,403,9
98 | 1849-02-01,389,12
99 | 1849-03-01,406,20
100 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # I've joined the #100DaysOfCode Challenge
2 |
3 |
4 |
5 | # About
6 |
7 | The #100DaysOfCode challenge is a journey to gaining skills in the programming world.
8 | I have chosen to master Python by building 100 projects in 100 days with Angela Yu's 100 Days of Python Pro. I will be uploading all progress to my [log](https://github.com/cedoula/100-days-of-code/blob/master/log.md).
9 | If you would like to follow me along this journey I will be posting daily updates on my Twitter: [@CedricVanza](https://twitter.com/CedricVanza)!
10 |
11 | ## Contents
12 |
13 | * [Rules](rules.md)
14 | * [Log - click here to see my progress](log.md)
15 | * [FAQ](FAQ.md)
16 | * [Resources](resources.md)
--------------------------------------------------------------------------------
/intl/bn/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - দিনলিপি
2 |
3 | ### দিন ০: জুলাই ৩০ (উদাহরন ১)
4 | ##### (এটি মুছে ফেলুন অথবা কমেন্ট করে রাখুন)
5 |
6 | **আজকের অগ্রগতি**: সিএসএস এর কোড ঠিক করলাম, এ্যাপ এর canvas functionality এর উপর কাজ করলাম।
7 |
8 | **ভাবনা:** সিএসএস আমাগে ভালোই ভোগাচ্ছে. তবে অবশেষে, আমার মনে হচ্ছে ধীরে ধীরে আমি এটি আয়ত্বে আনতে পারছি। ক্যানভাস ব্যাপারটা আমার কাছে একেবারেই নতুন, তবে সাধারন বিষয়গুলো আমি বুঝতে পারছি।
9 |
10 | **কাজের সংযুক্তি:** [ক্যালকুলেটর এ্যাপ](http://www.example.com)
11 |
12 | ### দিন ০: জুলাই ৩০ (উদাহরন ২)
13 | ##### (এটি মুছে ফেলুন অথবা কমেন্ট করে রাখুন)
14 |
15 | **আজকের অগ্রগতি**: সিএসএস এর কোড ঠিক করলাম, এ্যাপ এর canvas functionality এর উপর কাজ করলাম।
16 |
17 | **ভাবনা:** সিএসএস আমাগে ভালোই ভোগাচ্ছে. তবে অবশেষে, আমার মনে হচ্ছে ধীরে ধীরে আমি এটি আয়ত্বে আনতে পারছি। ক্যানভাস ব্যাপারটা আমার কাছে একেবারেই নতুন, তবে সাধারন বিষয়গুলো আমি বুঝতে পারছি।
18 |
19 | **কাজের সংযুক্তিসমূহ**: [ক্যালকুলেটর এ্যাপ](http://www.example.com)
20 |
21 |
22 | ### দিন ১: জুলাই ৩১, মঙ্গলবার
23 |
24 | **আজকের অগ্রগতি**: FreeCodeCamp এর বেশ কিছু অনুশীলন সম্পন্ন করলাম।
25 |
26 | **ভাবনা** আমি সম্প্রতি কোডিং শুরু করেছি, এবং বেশ কয়েকবারের চেষ্টায় ও অনেক সময় ব্যয় করার পরে আমি একটি অ্যালগরিদম চ্যালেঞ্জ সমাধান করতে পেরেছি, এটি অসাধারন একটি অনুভুতি।
27 |
28 | **কাজের সংযুক্তিসমূহ**:
29 | 1. [একটি বাক্যের সবচেয়ে লম্বা শব্দ খুজে বের করা](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
30 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
31 |
--------------------------------------------------------------------------------
/intl/bn/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode দিনলিপি - রাউন্ড ১ - [এখানে আপনার নাম লিখুন]
2 |
3 | আমার #100DaysOfCode চ্যালেঞ্জ এর দিলনিপি। শুরু করেছি [জুলাই ১৪, শনিবার, ২০১৭]
4 |
5 | ## দিনলিপি
6 |
7 | ### R1D1
8 | একটি আবহাওয়া বিষয়ক এ্যাপ শুরু করলাম। এ্যাপ এর প্রাথমিক নকশার উপরে কাজ করলাম। OpenWeather API নিয়ে একটু মুশকিল হচ্ছে http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/bn/rules.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code চ্যালেঞ্জ এর নিয়মাবলী
2 |
3 | ## প্রধান প্রতিশ্রুতি
4 | ### *আমি আগামী ১০০ দিন দৈনিক কমপক্ষে ১ ঘন্টা কোডিং করবো*
5 |
6 | #### শুরুর তারিখ
7 | জুলাই ১৪, ২০১৮ [আপনার তারিখ এখানে লিখুন]
8 |
9 | ## অতিরিক্ত কিছু নিয়মাবলী
10 | 1. আমি আমার প্রতিদিনের অগ্রগতি টুইট করবো -> #100DaysOfCode হ্যাশট্যাগ ব্যবহার করে
11 | 2. আমি যদি কর্মস্থলে কোড করি, ঐ সময়টুকু এই চ্যালেঞ্জে গন্য করা হবে না।
12 | 3. আমি গিটহাবে প্রতিদিন কোড পুশ করবো যেন সকলে আমার অগ্রগতি দেখতে পারে।
13 | 4. আমি প্রতিদিনের অগ্রগতি [দিনলিপিতে](log.md) হালনাগাদ করবো এবং লিংক যোগ করবো, যাতে সকলে আমার অগ্রগতি দেখতে পারে।
14 | 5. আমি বাস্তব প্রকল্পের উপর কাজ করবো, বাস্তব সমস্যা সমাধানের চেষ্টা করবো। বিভিন্ন টিউটোরিয়াল, অনলাইন কোর্স এবং এরকম অন্যান্য রিসোর্সের উপর কাজ করলে সেই সময় চ্যালেঞ্জের ভেতর গন্য হবে না। (যদি এমন হয়, আপনি মাত্রই কোড শেখা শুরু করেছেন, তাহলে [সচরাচর জিজ্ঞাস্য প্রশ্ন](FAQ.md) দেখুন)
15 |
16 |
17 | ## এই চ্যালেঞ্জ আরও কার্যকর করার কিছু ধারনাসমূহ
18 | 1. সফলতার সম্ভাবনা বৃদ্ধির জন্য, আপনার [দিনলিপিতে](log.md) প্রতিদিনের লেখার সাথে লিংক যোগ করুন। এটি গিটহাবের কোন কমিট এর লিংক হতে পারে, কিংবা আপনার কোন ব্লগের লেখার লিংকও হতে পারে।
19 | 2. আপনি যদি উৎসাহ হারিয়ে ফেলেন কিংবা একটি জায়গায় আটকে যান, তাহলে এই লেখাটি পড়ুনঃ [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. আপনি যদি না জানেন কেন টিউটোরিয়াল বা অনলাইন কোর্স করার চেয়ে বাস্তব প্রকল্পে কাজ করার উপরে কেন জোড় দেয়া হয়েছে, এটা পড়ুনঃ [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. যদি কোন কারনে আপনি আপনার কোড গিটহাবে push করতে না পারেন (যেমনঃ আপনি কোডিং শেখা শুরু করেছেন এবং অনুশীলন করছেন), তাহলে আপনার টুইট এর লিংক যোগ করুন। টুইটার ছাড়াও আপনি অন্য যে কোন মাধ্যম ব্যবহার করতে পারেন। তবে আপনার চ্যালেঞ্জ অবশ্যই সর্বসাধারনের জন্য উন্মুক্ত হতে হবে। যাতে আপনি চ্যালেঞ্জে প্রতিশ্রুতিবদ্ধ ও আপনার অগ্রগতির জন্য দায়বদ্ধ থাকতে পারেন।
22 | 5. এই repo টি fork করায় বাড়তি লাভ হচ্ছে -> আপনি যদি Markdown নিয়ে আগে কাজ না করে থাকেন, এটি Markdown চর্চা করার একটা ভালো মাধ্যম।
23 |
24 | ## সূচীপত্র
25 | * [নিয়মাবলী](rules.md)
26 | * [লগ - আমার অগ্রগতি দেখতে এখানে ক্লিক করুন](log.md)
27 | * [সজিপ্র](FAQ.md)
28 | * [রিসোর্সসমূহ](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/ca/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Registre
2 |
3 | ### Day 0: 30 de Febrer de 2018 (exemple 1)
4 | ##### (esborra o comenta-ho)
5 |
6 | **Progrés d'avui**: He corregit codi CSS, he treballat en la funcionalitat del canvas per una app.
7 |
8 | **Reflexions:** He tingut dificultats amb el CSS però tinc la sensació que vaig millorant poc a poc. El Canvas és molt nou per mi, però crec que me les he arreglat per donar-li una funcionalitat bàsica.
9 |
10 | **Enllaç a la feina:** [App Calculadora](http://www.example.com)
11 |
12 | ### Day 0: 30 de Febrer de 2018 (exemple 1)
13 | ##### (esborra o comenta-ho)
14 |
15 | **Progrés d'avui**: He corregit codi CSS, he treballat en la funcionalitat del canvas per una app.
16 |
17 | **Reflexions:** He tingut dificultats amb el CSS però tinc la sensació que vaig millorant poc a poc. El Canvas és molt nou per mi, però crec que me les he arreglat per donar-li una funcionalitat bàsica.
18 |
19 | **Enllaç a la feina:** [App Calculadora](http://www.example.com)
20 |
21 | ### Day 1: Dilluns 27 de Juny de 2018
22 |
23 | **Progrés d'avui**: I've gone through many exercises on FreeCodeCamp.
24 |
25 | **Reflexions:** I've recently started coding, and it's a great feeling when I finally solve an algorithm challenge after a lot of attempts and hours spent.
26 |
27 | **Enllaç(os) a la meva feina**
28 | 1. [Troba la paraula més llarga en un string](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
29 | 2. [Majúscules al inici de cada paraula](https://www.freecodecamp.com/challenges/title-case-a-sentence)
30 |
--------------------------------------------------------------------------------
/intl/ca/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Round 1 - [Your Name Here]
2 |
3 | The log of my #100DaysOfCode challenge. Started on [July 17, Monday, 2017].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Started a Weather App. Worked on the draft layout of the app, struggled with OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/ca/resources.md:
--------------------------------------------------------------------------------
1 | # Primary Resources on the #100DaysOfCode
2 |
3 | [The #100DaysOfCode Official Site](http://100daysofcode.com/)
4 |
5 | ### Articles
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcasts
11 |
12 | # Recursos addicional sobre #100DaysOfCode
13 |
14 | ## Articles Interessants
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Projectes and Idees
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## Altres recursos
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## Llibres (Tant de programació com no)
25 |
26 | ### De no programació
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### Sobre programació
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## Contingut
38 | * [Regles](rules.md)
39 | * [Log - clica aquí per veure el meu progrés](log.md)
40 | * [FAQ](FAQ.md)
41 | * [Recursos](resources.md)
42 |
--------------------------------------------------------------------------------
/intl/ca/rules.md:
--------------------------------------------------------------------------------
1 | # Regles per al repte 100 dies de programació (100 Days Of Code Challenge)
2 |
3 | ## Principal Compromís
4 | ### *Programaré un mínim d'una hora cada dia en els propers 100 dies.*
5 |
6 | #### Data d'inici
7 | 25 de juny de 2016. [POSA AQUÍ LA TEVA DATA]
8 |
9 | ## Regles addicionals
10 | 1. Tuitejaré el meu progrés cada dia -> utilitzant el hashtag #100DaysOfCode
11 | 2. Si programo a la feina, el temps dedicat no comptarà per al repte.
12 | 3. Pujaré el meu codi al Github cada dia per tal que tothom pugui veure el meu progrés.
13 | 4. Actualitzaré el fitxer (Log)[log.md] amb el meu progrés diari incloent un link per a que els altres puguin veure el meu progrés.
14 | 5. Treballaré en projectes reals que solucionin reptes reals. El temps realitzant tutorials, cursos online i recursos similars no comptaràn per al repte. (Si estàs començant a aprendre a programar, llegeix les [FAQ](FAQ.md))
15 |
16 |
17 | ## Idees per fer aquest repte més efectiu
18 | 1. Per millorar la possibilitat d'èxit, és necessari que afegeixis un link al teu post en el [log](log.md). Pot ser un link a un commit a github o un link a un articleal teu blog
19 | 2. Si et trobes molest o encallat llegeix : [Aprendre a programar: Quan es fa fosc (Anglès)](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. Si no entens aquest èmfasi en treballar en projectes enlloc de fer tutorials o cursos online, llegeix això: [Com aconseguir un treball com a desenvolupador en menys d'un any](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Si no pots pujar el teu codi a Github per alguna raó (p.ex. estàs començant a programar i només fas exercicis interactius), enllaça un tuit. Pots pensar en qualsevol altra cosa sempre i quan facis el repte públic - obtenint el benefici del compromís i la responsabilitat del seu progrés.
22 | 5. Un altra benefici de bifurcar aquest repositori -> SI no has treballat anteriorment amb el format Markdown, és una molt bona manera de practicar.
23 |
24 | ## Contents
25 | * [Regles](rules.md)
26 | * [Log - clica aquí per veure el meu progrés](log.md)
27 | * [FAQ](FAQ.md)
28 | * [Recursos](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/ch/FAQ.md:
--------------------------------------------------------------------------------
1 | ## 常见问题和回答:
2 | **Q:** 我怎样与其它参加挑战的人建立联系?
3 | **A:** 最好的方法是察看 100DaysOfCode 的官方网站:www.100DaysOfCode.com/connect
4 | 也可以通过[100DaysOfCode Slack channel 邀请链接](https://www.100daysofcode.com/slack)。
5 |
6 | 在Twitter上搜索 #100DaysOfCode,或者加入[Gitter上的the 100DaysOfCode](https://gitter.im/Kallaway/100DaysOfCode) - 你不需要邀请,它是向任何人开放。或者在Twitter上follow [@_100DaysOfCode](https://twitter.com/_100DaysOfCode),和社区保持联系。
7 |
8 | **Q:** 我已经开始了挑战,现在是第8天。我怎样开始用这个repo来记录我的进展?
9 | **A:** 别着急。尽可能多的纪录你之前的内容,但是如果不适用你,就直接从现在开始。如果你每天都tweet你的进展,就把你每天的tweets链接添加到日志中。之后就一直用这个形式。
10 |
11 | **Q:** 对于写代码,我是一个新人(或者刚刚决定开始学习写代码),我还做不出project,我应该做什么?
12 | **A:** 最好的开始办法是从头学习[FreeCodeCamp 前端课程](https://www.freecodecamp.com/)。在100天内,进展越多越好。
13 |
14 | **Q:** 我漏掉了一天,这意味着我在这个挑战上失败了吗?
15 | **A:** 当然没有。你允许漏掉一天(只要在100天之后补上就可以),但是不要连续漏掉两天。这是对于养成习惯非常好的建议,我从Leo Babauta关于zen habits那里获得这个建议。
16 |
17 | **Q:** 我很晚才回家,我完成当日挑战要求的时间后,已经过了午夜,还能算到今天吗?
18 | **A:** 当然算!可以用这个法则:你在睡觉前写了至少一个小时的代码吗?如果答案是肯定的,那你就走在正轨上。我们每个人都有不同的时间安排,处在不同的人生阶段(孩子,学校,工作,你能想象到的),所以没必要拿一个随机的时间标准要求自己。午过了夜,发生在灰姑娘身上的事情不会发生在你身上。不要担心你当天是否在github上得到了一分,是,看到那些连续的竖条确实很有满足感,但是根据时钟来评价你的努力,并不能帮到你太多。
19 |
20 | **Q:** 我是否应该记日记?
21 | **A:** 是的,你应该,而且最好的办法就是fork这个repo,并且每天都更新[日志](log.md)。这样能在两个方面帮到你:你可以看到每天的进展和已经进步了多少,另外,在100天后,你可很好的分析你的经历,看看什么适合你,什么不适合你。
22 |
23 | **Q:** 我应该把我的project放在网上吗?
24 | **A:** 当然。知道你正在做的东西可以被任何人在网上看到,这是非常好的约束和激励自己的办法。这会让你更在乎最终的产品,最后的结果会让其他人眼前一亮。我建议把你的project放在github上。
25 |
26 | **Q:** 我应该担心github上是否有连续竖条吗?
27 | **A:** 连续竖条很好也很有帮助,但是就像我上面说的 - 不要太过担心他们,也不要过于苛责自己漏掉一天。相反,你应该尽最大努力让它不再发生,担忧和苛责自己不会带给你想要的结果(好吧,它也会给你结果,但是是负面的。我称它为后果,而不是结果)让自己走出负面情绪最好的办法就是,坐下来写代码。
28 |
29 | **Q:** 这个挑战中最难的部分是什么?
30 | **A:** 最难的部分就是你要坐下来开始写代码。不要推迟,也不要想太多,因为你会说服自己不要去做了。把它机械化:坐下,打开电脑,代开编辑器,然后开始打代码。5分钟以后,你就不会感到任何问题/拖延/想要停下。
31 |
32 | **Q:** 如果每个人在特定的一天开始,我是否应该在那一天加入他们?例如,从第12天开始?
33 | **A:** 这个挑战是个人化的,你开始的那一天就是第一天。在Twitter或者其它地方,无论什么时候发布了一条更新,请确保提到了你在第几天,并且使用标签#100DaysOfCode,这样大家就可以找到你,支持你!
34 |
35 | ## 目录
36 |
37 | * [规则](rules.md)
38 | * [日志 - 点击这里查看我的进展](log.md)
39 | * [常见问题及回答](FAQ.md)
40 | * [资源](resources.md)
41 |
--------------------------------------------------------------------------------
/intl/ch/README.md:
--------------------------------------------------------------------------------
1 | # 我决定加入 #100DaysOfCode 挑战
2 |
3 | ## 目录
4 |
5 | * [规则](rules.md)
6 | * [日志 - 点击这里查看我的进展](log.md)
7 | * [常见问题及回答](FAQ.md)
8 | * [资源](resources.md)
9 |
10 | ## Translations
11 | [বাংলা](../bn/README.md) - [中文](README.md) - [deutsch](../de/README.md) - [español](../es/README.md) – [français](../fr/FAQ-fr.md) – [日本語](../ja/README.md) - [한국어](../ko/README-ko.md) – [nederlands](../nl/README.md) – [norsk](../no/README.md) – [polski](../pl/README.md) - [português do Brasil](../pt-br/LEIAME.md) - [русский](../ru/README-ru.md) – [українська](../ua/README-ua.md) - [srpski](intl/sr/README-sr.md)
12 |
13 | ## 如果你已经决定要加入:
14 |
15 | 0. 查看 #100DaysOfCode 运动的[官方网站](http://100daysofcode.com/)。与其他人在这些平台上建立联系:www.100DaysOfCode.com/connect
16 | 除此之外,这是 100DaysOfCode Slack channel的邀请[链接](https://www.100daysofcode.com/slack)。
17 | 1. 阅读 [加入 #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4)
18 | 1. Fork这个repo并且每天更新[日志](log.md),或者[R1日志](r1-log.md) (R1是round 1,即第一轮)。[例子](https://github.com/Kallaway/100-days-kallaway-log)。
19 | 1. **在之后的100天,每天至少写一个小时的代码。**
20 | 1. **每天在Twitter上,鼓励至少另外两个也在参加挑战的人!“将爱传递下去!”**
21 | 1. 将[规则](rules.md)中的日期改为你开始挑战的日期。
22 | 1. 将日志中的例子删除或者注释掉,并且开始添加你自己的内容。
23 | 1. **用 #100DaysOfCode 来Tweet你每天的进展。**
24 | 1. Follow [100DaysOfCode](https://twitter.com/_100DaysOfCode) 的Twitter机器人,它会自动retweet含有#100DaysOfCode的推文。这样不但可以持续激励你自己,你也可以很好的参与这个社区。感谢 [@amanhimself](https://twitter.com/amanhimself) 创建了这个Twitter机器人。
25 | 1. 重要:(看上面第四条规则)在Twitter或其他平台上,鼓励同样在参与这个挑战的人 - 在他们更新自己的进度时做出赞扬,在他们遇到困难时进行支持。这样,我们的社区可以成长为一个既有效又有帮助的社区,提高每一个参与者的成功率。同时,因为你已经和社区中的其它成员有了联系,你也更有可能坚持自己的承诺,
26 | 1. 如果你找到了能帮助到其它人的资料,你可以提交一个pull request,或者直接tweet给我。
27 |
28 | ## 想改变其它的习惯?
29 |
30 | 查看[the #100DaysOfX 挑战计划](http://100daysofx.com/)。改变你的习惯就是改变你的人生。现在是最好的时机。
31 |
32 | 我建议同时进行的挑战不要超过2-3个,最好是2个。如果你已经开始了 #100DaysOfCode,进行了很多脑力活动,则可以试一下[#100DaysOfHealth](http://100daysofx.com/where-x-is/health/),或者[#100DaysOfFitness](http://100daysofx.com/challenges/),网站上有更多的内容,选择一个你想要获得的技能,一门新语言,写作,冥想,日记,厨艺,等等!
33 |
34 | ## 注意
35 |
36 | * 如果你对 100DaysOfCode 有任何疑问或者想法,可以随时在Twitter上联系我:[@ka11away](https://twitter.com/ka11away)
37 | * 如果你喜欢这个repo并且觉得它有用,请考虑给它一颗★(就在页面的右上角):)
38 |
39 |
--------------------------------------------------------------------------------
/intl/ch/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - 日志
2 |
3 | ### 第0天: 2016年2月28日 (例子 1)
4 | ##### (删除我或注释掉我)
5 |
6 | **今天的进展:** 修改了css,为app的canvas的功能进行了工作。
7 |
8 | **思考:** 被css困住了一些,但总体来说,我感觉自己在这方面在慢慢进步。Canvas对我来说还是很新,但我明白了一些基本的功能。
9 |
10 | **工作成果链接:** [计算器 app](http://www.example.com)
11 |
12 | ### 第0天: 2016年2月28日 (例子 2)
13 | ##### (删除我或注释掉我)
14 |
15 | **今天的进展:** 修改了css,为app的canvas的功能进行工作。
16 |
17 | **思考:** 被css困住了一些,但总体来说,我感觉自己在这方面在慢慢进步。Canvas对我来说还是很新,但我明白了一些基本的功能。
18 |
19 | **工作成果链接:** [计算器 app](http://www.example.com)
20 |
21 |
22 | ### 第二天: 6月27日, 星期一
23 |
24 | **今天的进展:** 我完成了FreeCodeCamp上的练习。
25 |
26 | **思考:** 我刚开始学习代码,最终在多次尝试和几个小时以后,解诀了算法挑战,这个感觉真不错。
27 |
28 | **工作成果链接:**
29 | 1. [找到一个String中最长的单词](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
30 | 2. [把一个句子变成标题](https://www.freecodecamp.com/challenges/title-case-a-sentence)
31 |
--------------------------------------------------------------------------------
/intl/ch/r1-log.md:
--------------------------------------------------------------------------------
1 | # # 100DaysOfCode Log - 第一轮 - [你的名字]
2 |
3 | 我的 #100DaysOfCode 挑战日志。 [2017年7月17日,周一] 开始。
4 |
5 | ## 日志
6 |
7 | ### R1D1 (第一轮第一天)
8 | 开始了天气app。在app的layout的草稿上工作,有点在 OpenWeather API http://www.example.com 卡住。
9 |
10 | ### R1D2 (第一轮第二天)
11 |
--------------------------------------------------------------------------------
/intl/ch/resources.md:
--------------------------------------------------------------------------------
1 | # 关于 #100DaysOfCode 的主要资源
2 |
3 | [#100DaysOfCode 官方网站](http://100daysofcode.com/)
4 |
5 | ### 文章
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium 文章
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium 文章
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement ](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment 博客
9 |
10 | ### 广播
11 |
12 | # 其它关于 #100DaysOfCode 的资源
13 |
14 | ## 有帮助的文章
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Projects和想法
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## 其它资源
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## 书籍 (关于代码和非代码)
25 |
26 | ### 非代码
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### 关于代码
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## 目录
38 |
39 | * [规则](rules.md)
40 | * [日志 - 点击这里查看我的进展](log.md)
41 | * [常见问题及回答](FAQ.md)
42 | * [资源](resources.md)
43 |
--------------------------------------------------------------------------------
/intl/ch/rules.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code 挑战的规则
2 |
3 | ## 主要承诺
4 | ### *在之后的100天,我每天会至少写一个小时代码。*
5 |
6 | ### 开始日期
7 | 2016年6月25日 [添加你自己的日期]
8 |
9 | ## 其它规则
10 | 1. 我每天都会tweet我的进展 -> 使用标签 #100DaysOfCode
11 | 2. 如果我在工作中需要写代码,那些时间则不会算在挑战中。
12 | 3. 我每天都会把代码push到github上,这样所有人都可以看到我的进展。
13 | 4. 我会在[日志](log.md)里更新我每天的进展,并且提供链接,这样其他人可以看到我的进展。
14 | 5. 我会在真实的project上工作,面对真实的挑战。花在教程、网上课程、或者其它相似资源上的时间不会算在挑战中。(如果你刚开始学习代码,请阅读[常见问题及回答](FAQ.md))
15 |
16 | ## 如何让这个挑战更有效
17 | 1. 提高成功的概率,有必要在[日志](log.md)中添加链接,可以是github commit链接,也可以是博客文章链接。
18 | 2. 如果感到沮丧或卡住了,请阅读这篇文章:[Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
19 | 3. 如果你不知道为什会强调做project,而不是教程和网课,请阅读这里:[How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
20 | 4. 如果出于某种原因,你无法push你的代码到github(比如,你刚开始学习写代码,还在做练习),请提供tweet的链接。你能想到的都可以,只要能让这个挑战保持公开,你会从保持承诺和要求己进步中受益。
21 | 5. 另一个fork这个repo的理由 -> 如果你从未接触过Markdown,这是一个很好的练习机会。
22 |
23 | ## 目录
24 |
25 | * [规则](rules.md)
26 | * [日志 - 点击这里查看我的进展](log.md)
27 | * [常见问题及回答](FAQ.md)
28 | * [资源](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/de/log-de.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Logbuch
2 |
3 | ### Tag 0: 20. Februar 2016 (Beispiel 1)
4 | ##### (lösche oder kommentiere mich aus)
5 |
6 | **Heutiger Fortschritt**: CSS Korrektur, Arbeit an der Canvas Funktionalität der App.
7 |
8 | **Gedanken:** Ich habe mich wirklich schwer getan mit CSS, aber alles in Allem habe ich das Gefühl, ich werde langsam besser darin. Canvas ist noch immer Neuland für mich, aber ich habe es geschafft einen Teil der grundlegenden Funktionalität zu verstehen.
9 |
10 | **Link zur Arbeit:** [Taschenrechner App](http://www.example.com)
11 |
12 | ### Tag 1: 21. Februar 2016
13 | ##### (lösche mich oder kommentiere mich aus)
14 |
15 | **Heutiger Fortschritt**: CSS Korrektur, Arbeit an der Canvas Funktionalität der App.
16 |
17 | **Gedanken:** Ich habe mich wirklich schwer getan mit CSS/ wirklich mit CSS gekämpft, aber alles in allem habe ich das Gefühl, ich werde langsam besser darin. Canvas ist noch immer Neuland für mich, aber ich habe es geschafft einen Teil der grundlegenden Funktionalität zu verstehen.
18 |
19 | **Link zur Arbeit:** [Taschenrechner App](http://www.example.com)
20 |
21 |
22 | ### Tag 1: Montag, 27. Juni (Beispiel 2)
23 |
24 | **Heutiger Fortschritt**: Ich bin einige Übungen auf freeCodeCamp durchgegangen.
25 |
26 | **Gedanken** Ich habe vor Kurzem mit dem Coden begonnen, und es ist ein tolles Gefühl, wenn ich nach vielfachen Ansätzen und mehreren investierten Stunden endlich einen Algorithmus gelöst bekomme.
27 |
28 | **Link(s) zur Arbeit**
29 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
30 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
--------------------------------------------------------------------------------
/intl/de/quellen.md:
--------------------------------------------------------------------------------
1 | # Hauptquellen für die #100DaysOfCode
2 |
3 | [Die offizielle #100DaysOfCode Seite](http://100daysofcode.com/)
4 |
5 | ### Artikel
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcasts
11 |
12 | # Zusätzliche Quellen für die #100DaysOfCode
13 |
14 | ## Hilfreiche Artikel
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Projekte und Ideen
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## Weitere Quellen
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## Bücher (Coding bezogen, sowie andere)
25 |
26 | ### Nicht-Coding
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### Coding
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## Inhalt
38 | * [Regeln](regeln.md)
39 | * [Log - klicke hier, um meinen Fortschritt zu sehen](log-de.md)
40 | * [FAQ](FAQ-de.md)
41 | * [Quellen](quellen.md)
42 |
--------------------------------------------------------------------------------
/intl/de/r1-log-de.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Runde 1 - [Dein Name]
2 |
3 | Das Logbuch meiner #100DaysOfCode Challenge. Begonnen am [Montag, 17. Juli 2017].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Habe mit einem Wetter App Projekt begonnen. Habe am Skizzen Layout der App gearbeitet, hatte etwas Schwierigkeiten mit der OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/el/log-el.md:
--------------------------------------------------------------------------------
1 | # 100 Ημέρες Κώδικα - Ημερολόγιο
2 |
3 | ### Ημέρα 0: 30 Φεβρουαρίου, 2016 (Παράδειγμα 1)
4 | ##### (διέγραψέ με ή κάνε με σχόλιο)
5 |
6 | **Ημερήσια Πρόοδος:** Διόρθωσα το CSS, δούλεψα στο canvas functionality για την εφαρμογή.
7 |
8 | **Σκέψεις:** Πραγματικά πάλεψα με το CSS, ωστόσο, γενικά, νιώθω ότι γίνομαι καλύτερος σ' αυτό. Το canvas είναι ακόμα καινούριο για εμένα, αλλά κατάφερα να βρω κάποιες βασικές λειτουργίες.
9 |
10 | **Σύνδεσμος/οι προς το project:** [Calculator App](http://www.example.com)
11 |
12 |
13 | ### Ημέρα 1: 27 Ιουνίου, Δευτέρα (Παράδειγμα 2)
14 | ##### (διέγραψέ με ή κάνε με σχόλιο)
15 |
16 | **Ημερήσια Πρόοδος:** Έκανα πολλές ασκήσεις στο FreeCodeCamp.
17 |
18 | **Σκέψεις:** Ξεκίνησα να προγραμματίζω πρόσφατα, και νιώθω περίφημα όταν καταφέρνω επιτέλους να λύσω μια αλγοριθμική πρόκληση μετά από πολλές απόπειρες και πολλές ώρες δουλειάς.
19 |
20 | **Σύνδεσμος/οι προς το project:**
21 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
22 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
23 |
--------------------------------------------------------------------------------
/intl/el/r1-log-el.md:
--------------------------------------------------------------------------------
1 | # Ημερολόγιο #100ΗμέρεςΚώδικα - Γύρος 1 - [Βάλε το όνομά σου εδώ]
2 |
3 | Το ημερολόγιό μου για την πρόκληση #100ΗμέρεςΚώδικα. Ξεκίνησα στις [17 Ιουλίου, Δευτέρα, 2017].
4 |
5 | ## Ημερολόγιο
6 |
7 | ### R1D1
8 | Ξεκίνησα μια εφαρμογή καιρού. Δούλεψα στο πρόχειρο layout της εφαρμογής, πάλεψα με το OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/el/resources-el.md:
--------------------------------------------------------------------------------
1 | # Κύριοι πόροι για τις #100ΗμέρεςΚώδικα
2 |
3 | _[ΣτΜ.: Οι πόροι που διατίθενται είναι στα αγγλικά.]_
4 |
5 | [Το επίσημο σάιτ για τις #100ΗμέρεςΚώδικα](http://100daysofcode.com/)
6 |
7 | ### Άρθρα
8 |
9 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
10 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
11 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
12 |
13 | ### Podcast
14 |
15 | # Επιπλέον πόροι για τις #100ΗμέρεςΚώδικα
16 |
17 | ## Βοηθητικά Άρθρα
18 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
19 |
20 | ## Projects και Ιδέες
21 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
22 | 2. [The Odin Project](http://www.theodinproject.com/)
23 |
24 | ## Άλλοι πόροι
25 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
26 |
27 | ## Βιβλία (προγραμματιστικά και μη)
28 |
29 | ### Μη-προγραμματιστικά
30 | 1. ["The War of Art" του Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
31 | 2. ["The Obstacle is the Way" του Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
32 | 3. ["Ego is the Enemy" του Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
33 | 4. ["Meditations" του Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
34 |
35 | ### Προγραμματιστικά
36 | 1. "Professional Node.js" του Teixeira
37 | 2. ["Eloquent Javascript" του Marijn Haverbeke](http://eloquentjavascript.net/) - διαθέσιμο online (δωρεάν) & ως κανονικό βιβλίο
38 | 3. "Mastering JavaScript" του Ved Antani
39 |
40 | ## Περιεχόμενα
41 | * [Κανόνες](rules-el.md)
42 | * [Ημερολόγιο - κλίκαρε εδώ για να δεις την πρόοδό μου](log-el.md)
43 | * [FAQ](FAQ-el.md)
44 | * [Πόροι](resources-el.md)
45 |
--------------------------------------------------------------------------------
/intl/el/rules-el.md:
--------------------------------------------------------------------------------
1 | # Κανόνες για την πρόκληση « 100 Ημέρες Κώδικα »
2 |
3 | ## Κύρια Δέσμευση
4 | ### *Θα προγραμματίζω για τουλάχιστον μία ώρα κάθε ημέρα για τις επόμενες 100 ημέρες.*
5 |
6 | #### Ημερομηνία Εκκίνησης
7 | 25η Ιουνίου, 2016. [ΒΑΛΤΕ ΤΗΝ ΗΜΕΡΟΜΗΝΙΑ ΣΑΣ ΕΔΩ]
8 |
9 | ## Επιπλέον Κανόνες
10 | 1. Θα tweetάρω την πρόοδό μου κάθε ημέρα -> χρησιμοποιώντας το hashtag #100DaysOfCode
11 | 2. Αν προγραμματίζω στη δουλειά, αυτός ο χρόνος δεν θα μετράει για την πρόκληση.
12 | 3. Θα pushάρω κώδικα στο GitHub κάθε ημέρα ούτως ώστε όλοι να μπορούν να δουν την πρόοδό μου.
13 | 4. Θα ενημερώνω το [Ημερολόγιο](log-el.md) με την ημερήσια πρόοδό μου και θα προσθέτω ένα σύνδεσμο ούτως ώστε οι άλλοι να μπορούν να δουν την πρόοδό μου.
14 | 5. Θα δουλεύω πάνω σε πραγματικά project, αντιμετωπίζοντας πραγματικές προκλήσεις. Ο χρόνος που θα περάσω ακολουθώντας tutorials, online μαθήματα και άλλους παρόμοιους πόρους ΔΕΝ θα μετράει όσον αφορά αυτή την πρόκληση. (Αν μόλις ξεκινάς να μαθαίνεις προγραμματισμό, διάβασε το [FAQ](FAQ-el.md))
15 |
16 |
17 | ## Ιδέες για να κάνεις αυτή την πρόκληση πιο αποτελεσματική
18 | 1. Για να αυξήσεις τις πιθανότητες επιτυχίας σου, πρέπει υποχρεωτικά να προσθέσεις ένα σύνδεσμο προς κάθε ημερήσιο post στο [Ημερολόγιο](log-el.md). Μπορεί να είναι σύνδεσμος προς ένα commit στο GitHub, προς ένα blog post...
19 | 2. Αν κολλήσεις κάπου, διάβασε αυτό το άρθρο [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. Αν δεν ξέρεις γιατί υπάρχει τόση έμφαση στο να δουλεύεις πάνω σε πραγματικά project αντί για tutorials ή online μαθήματα, διάβασε αυτό: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Αν δεν μπορείς να ανεβάσεις τον κώδικά σου στο GitHub (για παράδειγμα μόλις έχεις ξεκινήσει να προγραμματίζεις και κάνεις διαδραστικές ασκήσεις), πρόσθεσε ένα σύνδεσμο προς ένα tweet σου. Μπορείς να σκεφτείς και κάτι άλλο, αρκεί η πρόκλησή σου να μείνει δημόσια - λαμβάνεις το όφελος του να είσαι δεσμευμένος και υπεύθυνος για την πρόοδό σου.
22 | 5. Άλλο ένα bonus του να κάνεις fork αυτό το repo -> αν δεν έχεις δουλέψει με Markdown στο παρελθόν, είναι μια καλή ευκαιρία να εξασκηθείς.
23 |
24 | ## Περιεχόμενα
25 | * [Κανόνες](rules-el.md)
26 | * [Ημερολόγιο - κλίκαρε εδώ για να δεις την πρόοδό μου](log-el.md)
27 | * [FAQ](FAQ-el.md)
28 | * [Πόροι](resources-el.md)
29 |
--------------------------------------------------------------------------------
/intl/es/diario.md:
--------------------------------------------------------------------------------
1 | # Recursos principales para el #100DaysOfCode
2 |
3 | **IMPORTANTE: Algunos de estos recursos están en inglés**
4 |
5 | [El sitio oficial #100DaysOfCode](http://100daysofcode.com/)
6 |
7 | ### Artículos (en inglés)
8 |
9 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
10 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
11 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
12 |
13 | ### Podcasts
14 |
15 | # Recursos adicionales para el #100DaysOfCode
16 |
17 | ## Artículos útiles (en inglés)
18 |
19 | 1. [Gentle Explanation of 'this' keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
20 |
21 | ## Proyectos e ideas
22 |
23 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
24 | 2. [The Odin Project](http://www.theodinproject.com/)
25 |
26 | ## Otros recursos (en inglés)
27 |
28 | 1. [CodeNewbie - #100DaysOfCode canal de Slack](https://codenewbie.typeform.com/to/uwsWlZ)
29 |
30 | ## Libros (tanto de programación como de no programación)
31 |
32 | ### No sobre código
33 |
34 | 1. ["La Guerra del Arte" por Steven Pressfield](https://www.goodreads.com/book/show/24674834-la-guerra-del-arte)
35 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way)
36 | 3. ["El ego es el enemigo" por Ryan Holiday](https://www.goodreads.com/book/show/38473655-el-ego-es-el-enemigo)
37 | 4. ["Meditaciones" por Marcus Aurelius](https://www.goodreads.com/book/show/19213933-meditaciones)
38 |
39 | ### Sobre código (en inglés)
40 |
41 | 1. "Professional Node.js" by Teixeira
42 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
43 | 1. [Segunda edición en español](https://hectorip.github.io/Eloquent-JavaScript-ES-online/git)
44 | 3. "Mastering JavaScript" by Ved Antani
45 |
46 | ## Tabla de contenidos
47 |
48 | * [Reglas](reglas.md)
49 | * [Diario - haga clic aquí para ver mi progreso](registro.md)
50 | * [Preguntas frecuentes](preguntas_frecuentes.md)
51 | * [Recursos](recursos.md)
52 |
--------------------------------------------------------------------------------
/intl/es/r1-diario.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode diario - ronda 1 - [ponga su nombre aquí]
2 |
3 | El diario de mi reto #100DaysOfCode. Empecé el [17 de julio, lunes, 2017]
4 |
5 | ## Registro
6 |
7 | ### R1D1
8 |
9 | Empecé una aplicación de clima. Trabajé en el diseño gráfico de la aplicación. El API de OpenWeather fue una prueba http://www.example.com.
10 |
11 | ### R1D2
12 |
--------------------------------------------------------------------------------
/intl/es/registro.md:
--------------------------------------------------------------------------------
1 | # 100 días de código - diario
2 |
3 | ### Día 0: 30 de febrero de 2016 (ejemplo 1)
4 |
5 | ##### (elimine o comente)
6 |
7 | **Progreso de hoy**: Arreglé CSS y trabajé en funciones de canvas por el app.
8 |
9 | **Reflexiones:** Trabajando con el CSS fue una prueba pero, en general, siento que estoy progresando y mejorando lentamente. Canvas, todavía es nuevo para mi pero logré descubrir algunas funcionalidades básicas.
10 | **Enlace a mi trabajo:** [Calculadora App](http://www.example.com)
11 |
12 | ### Día 0: 30 de febrero de 2016 (ejemplo 1)
13 |
14 | ##### (elimine o comente)
15 |
16 | **Progreso de hoy**: Arreglé CSS y trabajé en funciones de canvas por el app.
17 |
18 | **Reflexiones:** Trabajando con el CSS fue una prueba pero, en general, siento que estoy progresando y mejorando lentamente. Canvas, todavía es nuevo para mi pero logré descubrir algunas funcionalidades básicas.
19 | **Enlace a mi trabajo:** [Calculadora App](http://www.example.com)
20 |
21 | ### día 1: 27 de junio, 2016
22 |
23 | **Progreso de hoy**: He completado muchos ejercicios en FreeCodeCamp.
24 |
25 | **Reflexiones** Recientemente comencé a programar y es una gran sensación cuando finalmente resuelvo un desafío de algoritmo después de muchos intentos y horas.
26 | **Enlace(s) a mi trabajo**
27 |
28 | 1. [Descubra la palabra más larga en una cadena de caracteres](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
29 | 2. [Poner título en mayúsculas en una oración](https://www.freecodecamp.com/challenges/title-case-a-sentence)
30 |
--------------------------------------------------------------------------------
/intl/fr/log.md:
--------------------------------------------------------------------------------
1 | # 100 Jours de Code - Log
2 |
3 | ### Jour 0: 26 Février 2016
4 | ##### (supprimer ou commenter l'exemple)
5 |
6 | **Progrès**: Correction du CSS, avancement de la fonctionnalité canvas dans l'app
7 |
8 | **Pensées**: J'ai vraiment bataillé avec le CSS, mais, dans l'ensemble, j'ai l'impression que je commence à m'améliorer. Canvas est encore un concept nouveau pour moi, mais j'ai réussi à comprendre des fonctionnalités de base.
9 |
10 | **Lien vers les travaux**: [Calculator App](http://www.example.com)
11 |
12 | ### Jour 1: 27 février 2016
13 | ##### (supprimer ou commenter l'exemple)
14 |
15 | **Progrès**: J'ai complété des exercices surFreeCodeCamp.
16 |
17 | **Pensées**: J'ai commencé à coder récemment, et c'est vraiment super quand je parviens à résoudre un exercice d'algorithme après de nombreux essais et des heures passées dessus.
18 |
19 | **Liens vers les travaux**:
20 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
21 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
22 |
--------------------------------------------------------------------------------
/intl/fr/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Round 1 - [Your Name Here]
2 |
3 | The log of my #100DaysOfCode challenge. Started on [July 17, Monday, 2017].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Started a Weather App. Worked on the draft layout of the app, struggled with OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/fr/regles.md:
--------------------------------------------------------------------------------
1 | # Règles du défi des 100 Jours de Code
2 |
3 | ## Engagement principal
4 | ### *Je coderai au moins une heure par jour pendant les 100 prochains jours.*
5 |
6 | #### Date de départ
7 | 25 juin 2016. [Inscrivez votre propre date ici]
8 |
9 | ## Règles supplémentaires
10 | 1. Je twitterai mes progrès chaque jour -> en utilisant le hashtag #100JoursDeCode
11 | 2. Si je code au travail, ce temps ne compte pas dans le défi.
12 | 3. Je pusherai mon code chaque jour sur GitHub pour que chacun-e puisse voir mes progrès.
13 | 4. Je mettrai à jour le [Log](log.md) avec mes progrès du jour et je donnerai un lien pour que les autres puissent voir mes progrès.
14 | 5. Je travaillerai à des projets REELS, me confrontant à des difficultés réelles. Le temps passé à suivre des tutos, des cours en ligne et des ressources similaires ne comptera PAS dans ce défi. (Si vous venez juste de commencer à apprendre à coder, lisez la [FAQ](FAQ-fr.md)
15 |
16 |
17 | ## Idées pour que ce défi soit plus efficace
18 | 1. Pour augmenter votre chance de succès, ajoutez un lien à chacune des entrées de votre [log](log.md). Ça peut être le lien de votre commit sur GitHub ou un lien vers un article de blog.
19 | 2. Si vous vous démoralisez ou que vous êtes coincés, lisez cette article: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. Si vous ne voyez pas pourquoi le défi met l'emphase sur la réalisation de projets, par opposition au fait de suivre des tutos ou des cours en ligne, lisez ceci: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Si vous ne pouvez pas pusher votre code sur Github pour une raison ou pour une autre (ex: si vous débutez dans le code et que vous faites des exercices interactifs), fournissez un lien vers votre tweet du jour. Vous pourrez penser à un projet à inclure plus tard dans le défi tant que votre engagement reste public - et vous aurez le bénéfice d'être resté engagé dans le défi et d'avoir rendu compte de votre progression.
22 | 5. Un autre bonus dans le fait de forker ce repo -> si vous n'aviez jamais travaillé avec du Markdown auparavant, c'est un bon moyen de pratiquer.
23 |
24 | ## Contenu
25 | * [Règles](regles.md)
26 | * [Log - cliquez ici pour voir mes progrès](log.md)
27 | * [FAQ](FAQ-fr.md)
28 | * [Ressources](resources-fr.md)
29 |
--------------------------------------------------------------------------------
/intl/fr/resources-fr.md:
--------------------------------------------------------------------------------
1 | # Ressources principales à propos des #100JoursdeCode
2 |
3 | *(Ndlt : la plupart de ces ressources sont actuellement uniquement en anglais.)*
4 |
5 | [Site officiel des #100DaysOfCode](http://100daysofcode.com/)
6 |
7 | ### Articles
8 |
9 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
10 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
11 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
12 |
13 | ### Podcasts
14 |
15 | # Ressources supplémentaires sur les #100DaysOfCode
16 |
17 | ## Articles utiles
18 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
19 |
20 | ## Idées et projets
21 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
22 | 2. [The Odin Project](http://www.theodinproject.com/)
23 |
24 | ## Autres ressources
25 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
26 |
27 | ## Livres (programmation et autre)
28 |
29 | ### En dehors du code
30 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
31 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
32 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
33 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
34 |
35 | ### Programmation
36 | 1. "Professional Node.js" by Teixeira
37 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - disponible en ligne (gratuitement) & en version papier
38 | 3. "Mastering JavaScript" by Ved Antani
39 |
40 | ## Contenu
41 | * [Règles](regles.md)
42 | * [Log - click here to see my progress](log.md)
43 | * [FAQ](FAQ-fr.md)
44 | * [Resources](resources-fr.md)
45 |
--------------------------------------------------------------------------------
/intl/fr/rules.md:
--------------------------------------------------------------------------------
1 | # Rules of the 100 Days Of Code Challenge
2 |
3 | ## Main Commitment
4 | ### *I will code for at least an hour every day for the next 100 days.*
5 |
6 | #### Start Date
7 | June 25th, 2016. [PUT YOUR DATE HERE]
8 |
9 | ## Additional Rules
10 | 1. I will tweet about my progress every day -> using the hashtag #100DaysOfCode
11 | 2. If I code at work, that time won't count towards the challenge.
12 | 3. I will push code to GitHub every day so that anyone can see my progress.
13 | 4. I will update the (Log)[log.md] with the day's progress and provide a link so that others can see my progress.
14 | 5. I will work on real projects, facing real challenges. The time spent doing tutorials, online courses and other similar resources will NOT count towards this challenge. (If you've just started learning to code, read [FAQ](FAQ.md))
15 |
16 |
17 | ## Ideas to make this challenge more effective
18 | 1. To increase the chances of success, it's a requirement that you add a link to each of the day posts in the [log](log.md). It can be a link to a commit on GitHub, a link to a blog post
19 | 2. If you get upset or stuck, read this article: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. If you don't know why there is such an emphasis on working on the projects vs doing tutorials or online courses, read this: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. If you can't push your code to GitHub for some reason (e.g. if you're only starting to code and doing interactive exercises), provide a link to a tweet. You can think of something else as long as your challenge stays public - and you get the benefit of being committed to it and accountable for your progress.
22 | 5. Another good bonus of forking this repo -> if you haven't worked with Markdown before, it's a good way to practice.
23 |
24 | ## Contents
25 | * [Rules](rules.md)
26 | * [Log - click here to see my progress](log.md)
27 | * [FAQ](FAQ.md)
28 | * [Resources](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/it/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Log
2 |
3 | ### Giorno 0: 18 Gennaio 2019 (Esempio 1)
4 | ##### (cancellami o commentami)
5 |
6 | **Progressi di oggi**: Fixati CSS, lavorato alle canvas per l'app.
7 |
8 | **Appunti:** Ho avuto veramemte difficoltà con i CSS, ma, tutto sommato, mi sembra di essere un po' migliorato. Le Canvas sono nuovissime per me, ma sono riuscito a capirne qualche funzionalità di base.
9 |
10 | **Link al lavoro:** [Calculator App](http://www.example.com)
11 |
12 | ### Giorno 0: 18 Gennaio 2019 (Esempio 2)
13 | ##### (cancellami o commentami)
14 |
15 | **Progressi di oggi**: Fixati CSS, lavorato alle canvas per l'app.
16 |
17 | **Appunti:** Ho avuto veramemte difficoltà con i CSS, ma, tutto sommato, mi sembra di essere un po' migliorato. Le Canvas sono nuovissime per me, ma sono riuscito a capirne qualche funzionalità di base.
18 |
19 | **Link al lavoro:** [Calculator App](http://www.example.com)
20 |
21 |
22 | **Link al lavoro:** [Calculator App](http://www.example.com)
23 |
24 | ### Giorno 1: 18 Gennaio 2019 (Esempio 2)
25 |
26 | **Progressi di oggi**: Fixati CSS, lavorato alle canvas per l'app.
27 |
28 | **Appunti:** Ho avuto veramemte difficoltà con i CSS, ma, tutto sommato, mi sembra di essere un po' migliorato. Le Canvas sono nuovissime per me, ma sono riuscito a capirne qualche funzionalità di base.
29 |
30 | **Link al lavoro:**
31 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
32 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
33 |
--------------------------------------------------------------------------------
/intl/it/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Round 1 - [Il tuo nome qui]
2 |
3 | Log della mia #100DaysOfCode challenge. Iniziata il [18 Gennaio 2019].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Iniziata una app per il meteo. Ho lavorato sulla bozza per il layout e sono impazzito con le API di OpenWeather http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/it/resources.md:
--------------------------------------------------------------------------------
1 | # Risorse principali per la #100DaysOfCode
2 |
3 | [Sito ufficiale #100DaysOfCode](http://100daysofcode.com/)
4 |
5 | ### Articoli
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcast
11 |
12 | # Ulteriori risorse per la #100DaysOfCode
13 |
14 | ## Articoli utili
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Progetti e idee
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## Altre risorse
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## Libri (relativi e non al coding)
25 |
26 | ### Non-Coding
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### Coding
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## Contenuti
38 | * [Regole](rules.md)
39 | * [Log - guarda i miei progressi](log.md)
40 | * [FAQ](FAQ.md)
41 | * [Risorse](resources.md)
42 |
--------------------------------------------------------------------------------
/intl/it/rules.md:
--------------------------------------------------------------------------------
1 | # Regole della 100 Days Of Code Challenge
2 |
3 | ## Impegno principale
4 | ### *Programmerò per almeno un'ora ogni giorno per i prossimi 100 giorni.*
5 |
6 | #### Data di inizio
7 | 25 Giugno 2016. [INSERISCI LA TUA DATA QUI]
8 |
9 | ## Ulteriori regole
10 | 1. Twitterò i miei progressi ogni giorno usando l'hashtag #100DaysOfCode
11 | 2. Se programmo al lavoro, quel tempo non conterà per la challange.
12 | 3. Pusherò il codice su GitHub tutti i giorni così chiunque potrà vedere i miei progressi.
13 | 4. Aggiornerò il (Log)[log.md] con i progressi del giorno e ne fornirò il link così chiunqu potrà vedere i miei progressi.
14 | 5. Lavorerò su progetti reali, affrontando problemi reali. Il tempo impiegato a fare tutorial, corsi online e simili non conterà per la challange. (Se stai imparando a programmare leggi le [FAQ](FAQ.md))
15 |
16 |
17 | ## Idee per rendere la challange più efficace
18 | 1. Per aumentare le chance di successo è richiesto che tu aggiunga un link ad ogni post giornaliero nel [log](log.md). Può essere un link a una commit su GitHub o un link a un post su un blog
19 | 2. Se ti senti stufo o sei bloccato leggi questo articolo: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. Se non sai perchè sia meglio lavorare su un progetto piuttosto che fare tutorial o corsi online, leggi questo articolo: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Se non puoi pushare il tuo codice su GitHub per qualche ragione (es. hai appena cominciato a programmare e fai solo esercizi interattivi), fornisci un link a un tweet. Puoi pensare ad altro a patto che la tua challange rimanga pubblica - e manterrai i benefici del rimanere concentrato e responsabile per i tuoi progressi.
22 | 5. Forka questo repository -> se non hai mai avuto a che fare con Markdown finora, è un buon modo per imparare.
23 |
24 | ## Contenuti
25 | * [Regole](rules.md)
26 | * [Log - guarda i miei progressi](log.md)
27 | * [FAQ](FAQ.md)
28 | * [Risorse](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/ja/README.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCodeチャレンジへの参加
2 |
3 | ## コンテンツ
4 |
5 | * [ルール](rules.md)
6 | * [学習ログ](log.md)
7 | * [FAQ](FAQ.md)
8 | * [リソース](resources.md)
9 |
10 | ## Translations
11 | [বাংলা](../bn/README.md) - [中文](../ch/README.md) - [deutsch](../de/README.md) - [español](../es/README.md) – [français](../fr/FAQ-fr.md) – [日本語](../ja/README.md) - [한국어](../ko/README-ko.md) – [nederlands](../nl/README.md) – [norsk](../no/README.md) – [polski](../pl/README.md) - [português do Brasil](../pt-br/LEIAME.md) - [русский](../ru/README-ru.md) – [українська](../ua/README-ua.md) - [srpski](intl/sr/README-sr.md)
12 |
13 | ## 参加方法
14 |
15 | 0. [公式サイト](http://100daysofcode.com/)で#100DaysOfCodeの活動を見てください。このリスト(www.100DaysOfCode.com/connect)から、好きなプラットフォームを選んで他の参加者と繋がりましょう。
16 | また、[こちら](https://www.100daysofcode.com/slack)から100DaysOfCodeのSlackに参加することができます。
17 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4)を読んでください。
18 | 1. このリポジトリをフォークして[学習ログ](log.md)、もしくは[R1学習ログ](r1-log.md) (R1はラウンド1の略)に毎日投稿してください。[例](https://github.com/Kallaway/100-days-kallaway-log).
19 | 1. **これから100日間、毎日最低1時間プログラミングをしましょう。**
20 | 1. **毎日Twitter上で最低2人の人を応援してください!励まし合っていきましょう。**
21 | 1. [ルール](rules.md)の開始日を自分がチャレンジを初めた日に変更してください。
22 | 1. 学習ログの例は削除し、自分の学習内容を記述してください。
23 | 1. **毎日Twitterにその日の進捗を#100DaysOfCodeタグを付けて投稿してください。**
24 | 1. [100DaysOfCode](https://twitter.com/_100DaysOfCode)をフォローしてください。このBotは#100DaysOfCodeタグのツイートを自動でリツイートします。これによりモチベーションを保ち、コミュニティの参加者と関わり合うことができます。[@amanhimself](https://twitter.com/amanhimself)さん、Botを作ってくれてありがとうございます!
25 | 1. 【重要】 (詳しくは4番目のルールを見てください) Twitter上で、チャレンジの参加者と励まし合いましょう!進捗の投稿に返信してみたり、質問に答えてあげたりすることで、このコミュニティがより効果的なものになり、一人ひとりの成功確率が上がっていきます。また、周りの参加者と関係を築くことで、自身の決意もより固くなるでしょう。
26 | 1. もし他の人も使えそうな有用なサイトを見つけたら、このリポジトリに追加してプルリクエストを送るか、[@ka11away](https://twitter.com/ka11away)までDMを送ってください。
27 |
28 | ## その他のチャレンジにも参加してみませんか?
29 |
30 | [the #100DaysOfX Challenges Project](http://100daysofx.com/)を見てみてください。習慣が変われば、人生が変わります。始めるなら今です!
31 |
32 | 私のおすすめは最大でも同時に2,3個以上のチャレンジに同時には参加しないことで、理想は2個です。#100DaysOfCodeのような精神的な強さが必要なチャレンジをしているのであれば、 [#100DaysOfHealth](http://100daysofx.com/where-x-is/health/)や[#100DaysOfFitness](http://100daysofx.com/challenges/)などのチャレンジを同時にやることがおすすめです。
33 | その他にも言語、作文、瞑想、料理などたくさんあるので、色々見て選んでみてください!
34 |
35 | ## 備考
36 |
37 | * 100DaysOfCodeに関するその他の質問やアイデアに関しては、こちらのツイッターへ: [@ka11away](https://twitter.com/ka11away)
38 | * このリポジトリを気に入っていただけた場合は、右上とスターボタンを押してもらえると大変嬉しいです :)
39 |
--------------------------------------------------------------------------------
/intl/ja/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - 学習ログ
2 |
3 | ### 0日目: 2016年2月28日
4 |
5 | **今日の進捗**: 計算機アプリのCSSを修正して、canvasの機能に取り掛かった。
6 |
7 | **思ったこと** CSSにはとても苦労したけど、少しずつ上達してきてる気がする。Canvasはまだ始めたばっかりだけど、基本的な機能はいくつか理解できてきた。
8 |
9 | **リンク** [計算機アプリ](http://www.example.com)
10 |
11 | ### 1日目: 2016年6月27日(月)
12 |
13 | **今日の進捗**: FreeCodeCampの演習をたくさん進めた。
14 |
15 | **思ったこと** プログラミングを始めたばかりだから、何時間もかけてやっとアルゴリズムのチャレンジが解けるとめちゃくちゃ気持ちいい!
16 |
17 | **リンク**
18 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
19 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
20 |
--------------------------------------------------------------------------------
/intl/ja/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode 学習ログ - 1週目 - [自分の名前]
2 |
3 | 私の#100DaysOfCodeチャレンジの学習ログです。2017年6月17日開始。
4 |
5 | ## 学習ログ
6 |
7 | ### R1D1
8 | 天気アプリの開発を開始。アプリの大まかなレイアウトができてきたが、OpenWeatherのAPIの扱いに苦労した。 http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/ja/resources.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCodeの主なリソース
2 |
3 | [#100DaysOfCode公式サイト](http://100daysofcode.com/)
4 |
5 | ### 記事
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### ポットキャスト
11 |
12 | # #100DaysOfCodeのその他のリソース
13 |
14 | ## 参考になる記事
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## プロジェクトやアイデア
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## その他のリソース
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## 本
25 |
26 | ### 自己啓発関連
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### プログラミング関連
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - オンライン(無料)と文庫で入手可能
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## コンテンツ
38 | * [ルール](rules.md)
39 | * [学習ログ](log.md)
40 | * [FAQ](FAQ.md)
41 | * [リソース](resources.md)
42 |
--------------------------------------------------------------------------------
/intl/ja/rules.md:
--------------------------------------------------------------------------------
1 | # 「100 Days Of Codeチャレンジ」のルール
2 |
3 | ## 主な約束事
4 | ### *これから100日間、毎日最低1時間プログラミングをすること*
5 |
6 | #### 開始日
7 | 2016年6月25日 [自分の開始日を記入]
8 |
9 | ## その他のルール
10 | 1. 毎日Twitterにその日の進捗を投稿しましょう。 -> #100DaysOfCode タグをつけること。
11 | 2. 仕事中にプログラミングをしたとしても、その時間はこのチャレンジには含まれません。
12 | 3. 誰でも自分の進捗を確認できるように、毎日Githubにコードをプッシュしましょう。
13 | 4. 誰でも自分の進捗を確認できるように(学習ログ)[log.md]にその日の進捗を毎日追加しましょう。
14 | 5. 実際にプロジェクトなどに挑戦すること。チュートリアルやオンラインのコースだけをやっていてもこのチャレンジにはカウントされません。(プログラミングをまだ学び初めの方は, [FAQ](FAQ.md)を読んでください。)
15 |
16 |
17 | ## このチャレンジをより効果的にするための工夫
18 | 1. 成功の確率を上げるためには、毎日の投稿を[学習ログ](log.md)に追加していくことが必要です。投稿はGithubのコミットでも、ブログへのリンクでも構いません。
19 | 2. うまくいかないときには、こちらの記事を読んでみてください。[Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. なぜチュートリアルやオンラインのコースだけではなく、プロジェクトをやるべきかを疑問に思ったときには、こちらの記事を読んでみてください。[How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Githubにうまくコードをプッシュできないときには (まだ初心者でチュートリアルをやっている場合など)、ツイートへのリンクを公開してください。何かしら、公に見れるものであればやる気が持続します。
22 | 5. このリポジトリをフォークするメリットがさらにあるとしたら、マークダウン記法のいい練習になることです。
23 |
24 | ## コンテンツ
25 | * [ルール](rules.md)
26 | * [学習ログ](log.md)
27 | * [FAQ](FAQ.md)
28 | * [リソース](resources.md)
29 |
--------------------------------------------------------------------------------
/intl/ko/log.md:
--------------------------------------------------------------------------------
1 | # 100일 코딩 - 로그(Log)
2 |
3 | ### 0일차: 2016년 2월 30일 (예시 1)
4 | ##### (이 예시는 삭제하거나 주석 처리하고 본인의 내용으로 새로 작성해주세요)
5 |
6 | **오늘 진행한 내용**: CSS 수정, 앱의 canvas 기능 작업
7 |
8 | **느낀 점:** CSS 때문에 많이 고생했지만, 전체적으로 서서히 나아지는 점을 느꼈다. Canvas는 여전히 새롭지만, 기본적인 기능은 어느 정도 파악했다.
9 |
10 | **작업 내용 링크:** [계산기 앱](http://www.example.com)
11 |
12 | ### 0일차: 2016년 2월 30일 (예시 1)
13 | ##### (이 예시는 삭제하거나 주석 처리하고 본인의 내용으로 새로 작성해주세요)
14 |
15 | **오늘 진행한 내용**: CSS 수정, 앱의 canvas 기능 작업
16 |
17 | **느낀 점:** CSS 때문에 많이 고생했지만, 전체적으로 서서히 나아지는 점을 느꼈다. Canvas는 여전히 새롭지만, 기본적인 기능은 어느 정도 파악했다.
18 |
19 | **작업 내용 링크:** [계산기 앱](http://www.example.com)
20 |
21 | ### 1일차: 6월 27일, 월요일
22 |
23 | **오늘 진행한 내용**: FreeCodeCamp에서 많은 예제를 해결함
24 |
25 | **느낀 점**: 나는 최근에 코딩을 시작했고, 많은 시간과 시도를 통해 해결한 알고리즘 문제는 내게 큰 기쁨을 주었다.
26 |
27 | **작업 내용 링크**
28 | 1. [String에서 가장 긴 단어 찾기(Find the Longest Word in a String)](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
29 | 2. [첫 문자 대문자로 만들기(Title Case a Sentence)](https://www.freecodecamp.com/challenges/title-case-a-sentence)
30 |
--------------------------------------------------------------------------------
/intl/ko/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode (#100일코딩) 로그(Log) - 1라운드 - [당신의 이름]
2 |
3 | #100DaysOfCode (#100일코딩) 도전에 대한 로그 기록. [2017년 7월 17일, 월요일] 시작함.
4 |
5 | ## 로그(Log)
6 |
7 | ### R1D1
8 | 날씨 앱을 만들기 시작했다. 앱의 레이아웃 초안을 작업하고, OpenWeather API http://www.example.com 와 씨름하고 있다.
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/ko/resources.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode (#100일코딩) 기본 참고 자료
2 |
3 | [#100DaysOfCode 공식 사이트(영문)](http://100daysofcode.com/)
4 |
5 | ### 게시물(영문)
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### 팟캐스트
11 |
12 | # #100DaysOfCode (#100일코딩) 추가 참고 자료
13 |
14 | ## 도움이 되는 게시물(영문)
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## 프로젝트 및 아이디어(영문)
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## 기타 자료(영문)
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## 책 (코딩 도서 및 일반 도서)
25 |
26 | ### 일반 도서(영문)
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### 코딩 도서(영문)
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - 온라인 (무료) & 종이책 (유료)
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## 내용
38 | * [규칙](rules.md)
39 | * [로그 - 내 진행 상황을 보려면 클릭하세요](log.md)
40 | * [FAQ](FAQ.md)
41 | * [참고 자료](resources.md)
42 |
--------------------------------------------------------------------------------
/intl/ko/rules.md:
--------------------------------------------------------------------------------
1 | # 100일 코딩 도전의 규칙
2 |
3 | ## 주요 약속
4 | ### *앞으로 100일 동안 하루에 최소 1시간씩 코딩을 합니다.*
5 |
6 | #### 시작일
7 | 2016년 6월 25일. [당신의 날짜로 바꾸세요]
8 |
9 | ## 추가 규칙
10 | 1. 매일 내 진행 상황을 트윗한다. -> #100DaysOfCode (#100일코딩) 해시태그와 함께
11 | 2. 만약 직장이나 일과 관련된 코딩을 한다면, 그 시간은 도전 시간에 포함되지 않습니다.
12 | 3. 모두가 내 진행 상황을 볼 수 있도록, GitHub에 작성한 코드를 올립니다.
13 | 4. 모두가 내 진행 내용을 알 수 있도록, 하루의 진행 내용과 링크를 (Log)[log.md] 파일에 업데이트합니다.
14 | 5. 실제 프로젝트를 통해 실질적인 도전을 합니다. 튜토리얼이나 온라인 강의 같은 내용은 도전 시간에 포함되지 않습니다. (만약 당신이 코딩을 갓 시작했다면 [FAQ](FAQ.md) 내용을 참고합니다.)
15 |
16 | ## 더욱 효과적인 도전을 위한 조언
17 | 1. 성공 확률을 높이기 위해, [로그(log)](log.md) 에 매일 작성하는 내용에 링크를 추가하는 건 필수적입니다. GitHub commit에 대한 링크일 수도, 블로그 포스팅 글에 대한 링크일 수도 있습니다.
18 | 2. 만약 짜증이 나거나 막막하다면, 이 글을 읽어보세요: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd) (영문 글입니다.)
19 | 3. 왜 튜토리얼이나 온라인 강의가 아닌 실제 프로젝트를 진행하는 것을 강조하는지 이해할 수 없다면, 이 글을 읽어보세요: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
20 | 4. 만약 GitHub에 코드를 올릴 수 없다면 (예를 들어, 당신이 코딩을 막 시작했고 인터랙티브한 예제만을 해보고 있다면), 트윗에 링크를 적어주세요. 도전이 공개될 경우에만 당신은 더 큰 무언가를 생각할 수 있고 - 스스로 약속한 것에 대한 보상을 받을 수 있고 진행해야 한다는 책임감을 가질 수 있습니다.
21 | 5. 이 repo(저장소)를 fork하는 것에 대한 또 다른 장점은 -> 만약 아직 마크다운(Markdown) 문서 작성을 경험해 보지 못 했다면, 좋은 연습이 될 것입니다.
22 |
23 | ## 내용
24 | * [규칙](rules.md)
25 | * [로그 - 내 진행 상황을 보려면 클릭하세요](log.md)
26 | * [FAQ](FAQ.md)
27 | * [참고 자료](resources.md)
28 |
--------------------------------------------------------------------------------
/intl/nl/bronnen.md:
--------------------------------------------------------------------------------
1 | # Hoofdbronnen over #100DaysOfCOde
2 |
3 | [De officiële #100DaysOfCode-site](http://100daysofcode.com/)
4 |
5 | ### Artikelen
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcasts
11 |
12 | # Extra bronnen over #100DaysOfCode
13 |
14 | ## Nuttige artikelen
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 | 2. [Build a Laravel CRUD Application from scratch](https://www.codewall.co.uk/laravel-crud-demo-with-resource-controller-tutorial/)
17 |
18 | ## Projecten en ideeën
19 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
20 | 2. [The Odin Project](http://www.theodinproject.com/)
21 |
22 | ## Overige bronnen
23 |
24 | ### Non-Coding
25 | 1. ["The War of Art" door Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
26 | 2. ["The Obstacle is the Way" door Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
27 | 3. ["Ego is the Enemy" door Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
28 | 4. ["Meditations" door Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
29 |
30 |
31 | ### Coding
32 | 1. "Professional Node.js" door Teixeira
33 | 2. ["Eloquent Javascript" door Marijn Haverbeke](http://eloquentjavascript.net/) - online beschikbaar (gratis) en als paperback
34 | 3. "Mastering JavaScript" door Ved Antani
35 |
36 | ## Inhoud
37 | * [Regels](regels.md)
38 | * [Log - klik hier om mijn voortgang te zien](log-nl.md)
39 | * [FAQ](FAQ-nl.md)
40 | * [Bronnen](bronnen.md)
--------------------------------------------------------------------------------
/intl/nl/log-nl.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Log
2 |
3 | ### Dag 0: 30 februari 2016 (Voorbeeld 1)
4 | ##### (verwijder or comment me uit)
5 |
6 | **Voortgang van vandaag**: CSS gefixet, gewerkt aan canvasfunctionaliteit voor de app.
7 |
8 | **Gedachten**: Ik liep tegen de CSS aan, over het algemeen krijg ik de indruk dan ik langzamerhand beter word. Canvas is erg nieuw voor me maar het is me gelukt om basisfunctionaliteit de begrijpen.
9 |
10 | **Link naar mijn werk**: [Rekenmachineapp](http://www.example.com)
11 |
12 | ### Dag 0: 30 februari 2016 (Voorbeeld 1)
13 | ##### (verwijder or comment me uit)
14 |
15 | **Voortgang van vandaag**: CSS gefixet, gewerkt aan canvasfunctionaliteit voor de app.
16 |
17 | **Gedachten**: Ik liep tegen de CSS aan, over het algemeen krijg ik de indruk dan ik langzamerhand beter word. Canvas is erg nieuw voor me maar het is me gelukt om basisfunctionaliteit de begrijpen.
18 |
19 | **Link naar mijn werk**: [Rekenmachineapp](http://www.example.com)
--------------------------------------------------------------------------------
/intl/nl/r1-log-nl.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Ronde 1 - [Jouw naam hier]
2 |
3 | De log van mijn #100DaysOfCode challenge. Begonnen op [maandag, 17 juli 2017].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Begonnen aan een weerapp. Gewerkt aan een ontwerp voor de lay-out van de app, geworsteld met de OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/nl/regels.md:
--------------------------------------------------------------------------------
1 | # Regels van de 100 Days of Code Challenge
2 |
3 | ## Hoofdinzet
4 | ### *Ik zal voor de komende 100 dagen minstens één uur per dag aan coderen besteden.*
5 |
6 | #### Startdatum
7 | 25 juni 2016. [PLAATS JE EIGEN DATUM HIER]
8 |
9 | ## Toegevoegde regels
10 | 1. Ik zal elke dag over mijn voortgang tweeten -> met de hashtag #100DaysOfCode
11 | 2. Als ik codeer tijdens werk, wordt deze tijd niet meegerekend voor de challenge.
12 | 3. Ik zal elke dag mijn code pushen naar GitHub, zodat iedereen mijn voortgang kan zien.
13 | 4. Ik zal elke dag (Log)[log-nl.md] updaten met de voortgang van de dag en ik voorzie een link waardoor anderen mijn voortgang kunnen zien.
14 | 5. Ik zal aan èchte projecten werken en èchte problemen tegenkomen. De tijd die ik besteed aan zelfstudies, online lessen en soortgelijke bronnen tellen NIET mee voor deze challenge. (Als je pas net heb geleerd te coderen lees [FAQ](FAQ-nl.md))
15 |
16 | ## Ideeën om deze challenge effectiever te maken
17 | 1. Om de succeskans te verhogen is het een vereiste om elke dag een link toe te voegen in (Log)[log-nl.md]. Het kan een link naar een commit op GitHub zijn or een link naar een blog post.
18 | 2. Als je ooit vast komt te zitten, lees dan dit artikel: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd/)
19 | 3. Als je niet weet waarom er een nadruk wordt gelegd op werken aan projecten in tegenstelling tot online lessen en zelfstudies lees dit: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645/)
20 | 4. Als je om wat voor reden je code niet kan pushen naar GitHub (bijvoorbeeld omdat je net begonnen bent met coderen en nog oefeningen aan het doen bent), plaats dan een link naar een tweet. Je kan ook met iets anders komen zolange je challenge openbaar is - en je krijgt het voordeel van toegeweid zijn en verantwoordelijk zijn voor je voortgang.
21 | 5. Nog een reden om deze repository te forken: als je niet eerder met markdown hebt gewerkt is dit een goede oefening.
22 |
23 | ## Inhoud
24 | * [Regels](regels.md)
25 | * [Log - klik hier om mijn voortgang te zien](log-nl.md)
26 | * [FAQ](FAQ-nl.md)
27 | * [Bronnen](bronnen.md)
--------------------------------------------------------------------------------
/intl/no/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Logg
2 |
3 | ## Dag 0: 26 februar, 2016 (Eksempel 1)
4 |
5 | **Dagens fremgang**: Fikset CSS, jobbet med canvas-funksjonalitet for appen.
6 |
7 | **Tanker:** Jeg slet virkelig med CSS, men alt-i-alt føler jeg at jeg sakte blir bedre. Canvas er fortsatt nytt for meg, men jeg klarte å finne ut av de basise funksjonalitetene.
8 |
9 | **Link(er) til hva jeg har gjort:** [Kalkulatorapp](http://www.example.com)
10 |
11 | ## Dag 1: 27 februar, 2016 (Eksempel 2)
12 |
13 | **Dagens fremgang**: Fikset CSS, jobbet med canvas-funksjonalitet for appen.
14 |
15 | **Tanker:** Jeg slet virkelig med CSS, men alt-i-alt føler jeg at jeg sakte blir bedre. Canvas er fortsatt nytt for meg, men jeg klarte å finne ut av de basise funksjonalitetene.
16 |
17 | **Link(er) til hva jeg har gjort:** [Kalkulatorapp](http://www.example.com)
--------------------------------------------------------------------------------
/intl/no/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Logg - Runde 1 - [Ditt navn her]
2 |
3 | Loggen til min #100DaysOfCode-utfordring. Startet [16 juli, mandag, 2017].
4 |
5 | ## Logg
6 |
7 | ### **R1D1 (runde 1, dag 1)**
8 |
9 | Begynte å lage en værapp. Jobbet med skisser til hvordan appen skal se ut. Hadde det vanskelig med OpenWeather API http://www.example.com
10 |
11 | ### **R1D2**
12 |
--------------------------------------------------------------------------------
/intl/no/resources.md:
--------------------------------------------------------------------------------
1 | # Hovedressurser til #100DaysOfCode
2 |
3 | [Den offiselle #100DaysOfCode-nettsiden](http://100daysofcode.com/)
4 |
5 | ## Artikler
6 |
7 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
8 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
9 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
10 |
11 | ## Podcasts
12 |
13 | ## Ekstraressurser til #100DaysOfCode
14 |
15 | ### Nyttige artikler
16 |
17 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
18 |
19 | ### Projekter og ideér
20 |
21 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
22 | 2. [The Odin Project](http://www.theodinproject.com/)
23 |
24 | ### Andre ressurser
25 |
26 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
27 |
28 | ### Bøker (både koding-relatert og ikke-koding-relatert)
29 |
30 | #### Ikke-koding
31 |
32 | 1. ["The War of Art" av Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
33 | 2. ["The Obstacle is the Way" av Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
34 | 3. ["Ego is the Enemy" av Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
35 | 4. ["Meditations" av Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
36 |
37 | #### Koding
38 |
39 | 1. "Professional Node.js" av Teixeira
40 | 2. ["Eloquent Javascript" av Marijn Haverbeke](http://eloquentjavascript.net/) - tilgjengelig online (gratis) & som paperback
41 | 3. "Mastering JavaScript" av Ved Antani
42 |
43 | ## Innhold
44 |
45 | * [Regler](rules.md)
46 | * [Logg - click here to see my progress](log.md)
47 | * [FAQ](FAQ.md)
48 | * [Ressurser](resources.md)
49 |
--------------------------------------------------------------------------------
/intl/no/rules.md:
--------------------------------------------------------------------------------
1 | # Regler for 100 Days Of Code-utfordingen
2 |
3 | ## Hovedforpliktelse
4 |
5 | ### *Jeg skal kode i minst én time hver dag de neste 100 dagene.*
6 |
7 | #### Startdato: 25 juni 2016 [SKRIV INN DIN DATO HER]
8 |
9 | ## Tileggsregler
10 |
11 | 1. Jeg skal skrive om fremgangen min på Twitter hver dag -> og bruke #100DaysOfCode-hashtaggen
12 | 2. Hvis jeg koder profesjonelt, teller ikke dette mot utfordringen.
13 | 3. Jeg skal pushe kode til GitHub hver dag slik at hvem som helst kan se fremgangen min.
14 | 4. Jeg skal oppdatere [loggen](log.md) med dagens fremgang og dele linker slik at andre kan se fremgangen min.
15 | 5. Jeg skal jobbe med faktiske projekter, og møte virkelig utfordringer. Tid som blir brukt på turotials, nettkurs og andre lignende ressurser teller IKKE mot denne utfordringen. (Hvis du akkurat har begynt å lære deg koding, les [FAQ](FAQ.md))
16 |
17 | ## Ideér for å gjøre denne utfordringen mer effektiv
18 |
19 | 1. For å øke sjansene for suksess, kreves det at du legger til en link til hva du har gjort hver dag i [loggen](log.md). Det kan være en link til en commit på GitHub, eller en link til et blogginnlegg
20 | 2. Hvis du har det vanskelig eller står fast, les denne artikkelen: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
21 | 3. Hvis du ikke forstår hvofor det er så stort fokus på å jobbe med projekter i forhold til tutorials eller nettkurs, les dette: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
22 | 4. Hvis du av en eller annen grunn ikke kan pushe kode til GitHub (f.eks. hvis du akkurat har startet med koding og holder på med interaktive øvelser), link til en tweet om fremgangen din. Du kan også legge til andre ting så lenge det er tilgjengelig til offentligheten, og du drar nytte av det fordi du holder deg forpliktet og ansvarlig for fremgangen din.
23 | 5. En annen bonus som du får av å forke dette repo-et -> hvis du ikke har brukt Markdown before, er dette en flott måte å komme i gang med det.
24 |
25 | ## Innhold
26 |
27 | * [Regler](rules.md)
28 | * [Logg - trykk her fpr å se fremgangen min](log.md)
29 | * [FAQ](FAQ.md)
30 | * [Ressurser](resources.md)
31 |
--------------------------------------------------------------------------------
/intl/pl/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Log
2 |
3 | ### Dzień 0: 22 Stycznia 2018 (Przykład 1)
4 | ##### (usuń to lub skomentuj)
5 |
6 | **Dzisiejszy Progres**: Naprawiłem/am CSS, pracowałem/am nad implementacją canvasu do apki.
7 |
8 | **Przemyślenia:** Miałem/am sporo problemów z CSS, but, overall, Ale generalnie, czuję że rozumiem coraz więcej. Canvas jest dla mnie czymś kompletnie nowym ale udało mi się wprowadzić podstawowe funkcję.
9 |
10 | **Linki** [Kalkulator Aplikacja](http://www.example.com)
11 |
12 | ### Dzień 0: 22 Stycznia 2018 (Przykład 2)
13 | ##### (usuń to lub skomentuj)
14 |
15 | **Dzisiejszy Progres**: Naprawiłem/am CSS, pracowałem/am nad implementacją canvasu do apki.
16 |
17 | **Przemyślenia**: Miałem/am sporo problemów z CSS, but, overall, Ale generalnie, czuję że rozumiem coraz więcej. Canvas jest dla mnie czymś kompletnie nowym ale udało mi się wprowadzić podstawowe funkcję.
18 |
19 | **Linki**: [Kalkulator Aplikacja](http://www.example.com)
20 |
21 |
22 | ### Dzień 1: 22 Stycznia, Poniedziałek
23 |
24 | **Dzisiejszy Progres**: Ukończyłem kilka zadań na FreeCodeCamp.
25 |
26 | **Przemyślenia** Dopiero co zaczynam programowanie, uczucie ukończenia czegoś i rozwiązania problemu jest super, zwłaszcza po wielu nieudanych próbach.
27 |
28 | **Linki**
29 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
30 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
31 |
--------------------------------------------------------------------------------
/intl/pl/materiały.md:
--------------------------------------------------------------------------------
1 | # Główne Materiały #100DaysOfCode
2 |
3 | [The #100DaysOfCode Official Site](http://100daysofcode.com/)
4 |
5 | ### Artykuły
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podkasty
11 |
12 | # Materiały Dodatkowe #100DaysOfCode
13 |
14 | ## Artykuły Pomocnicze
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Projekty i Pomysły
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## Inne Materiały
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## Książki (o programowaniu i nie tylko)
25 |
26 | ### Nie o programowaniu
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 | ### Programowanie
33 | 1. "Professional Node.js" by Teixeira
34 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
35 | 3. "Mastering JavaScript" by Ved Antani
36 |
37 | ## Spis Treści
38 | * [Regulamin](regulamin.md)
39 | * [Log - kliknij tutaj aby zobaczyć mój progres](log.md)
40 | * [FAQ (często zadawane pytania)](FAQ-pl.md)
41 | * [Materiały](materiały.md)
42 |
--------------------------------------------------------------------------------
/intl/pl/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Runda 1 - [Twoje Imię Tutaj]
2 |
3 | Rozpoczynam wyzwanie #100DaysOfCode w dniu [1 Stycznia 2018].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 | Zacząłem/am pracować nad aplikacją pogodową. Zrobiłem/am plany oraz skecze UI/UX. Miałem/am problemy z OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/pl/regulamin.md:
--------------------------------------------------------------------------------
1 | # Regulamin wyzwania 100 Dni kodowania
2 |
3 | ## Główne Zobowiązanie
4 | ### *Będę programować przez przynajmniej godzinę dziennie przez następne 100 dni.*
5 |
6 | #### Data Rozpoczęcia
7 | 1 Stycznia 2018 [Wpisz Datę Tutaj]
8 |
9 | ## Dodatkowy Regulamin
10 | 1. Będę tweetować mój progres każdego dnia używając hasztagu #100DaysOfCode
11 | 2. Jeżeli programuję w pracy, czas ten nie zalicza się do wyzwania.
12 | 3. Będę pushować mój kod na GitHub, żeby wszyscy mogli śledzić mój progres.
13 | 4. Będę aktualizować (Log)[log.md] uzupełniając swój dzienny progres wraz z linkami.
14 | 5. Będę pracował/ła nad prawdziwymi projektami, stawiając sobie wyzwania. Czas spędzony na robienie poradników, kursów online itp nie zaliczają się do wyzwania. Jeżeli dopiero zaczynasz przygodę z programowaniem, zapoznaj się z [FAQ (często zadawane pytania)](FAQ-pl.md))
15 |
16 |
17 | ## Pomysły aby zrobić to wyzwanie bardziej efektywnym
18 | 1. Aby zwiększyć szansę ukończenia wyzwania, wymagamy abyś umieścił link do każdego wpisu w [log](log.md). Może to być lick do commitu na GitHubie, link do bloga itp…
19 | 2. Jeżeli masz problemy lub wydaje ci się, że nie ukończysz wyzwania przeczytaj Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
20 | 3. Jeżeli nie rozumiesz dlaczego tak bardzo naciskamy na robienie prawdziwych projektów a nie np oglądanie poradników czy kursów online to przeczytaj [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
21 | 4. Jeżeli nie możesz pushować swojego kodu na GitHub bo np dopiero co zaczynasz przygodę z programowaniem i robisz zadanie online to wklej linka do tweeta. Możesz wymyślić coś podobnego i dopóki upubliczniasz wszystko co robisz i jesteś odpowiedzialny za progres to wszystko jest okej.
22 | 5. Dodatkowy bonus z forkowania tego rypozytorium -> jeżeli nigdy nie używałeś Markdown to będziesz mógł go potrenować poprzez uzupełnianie swoich wpisów.
23 |
24 |
25 | ## Contents
26 | * [Regulamin](regulamin.md)
27 | * [Log - click here to see my progress](log.md)
28 | * [FAQ (często zadawane pytania)](FAQ-pl.md)
29 | * [Materiały](materiały.md)
--------------------------------------------------------------------------------
/intl/pt-br/log.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Log
2 |
3 | ### Dia 0: 29 de fevereiro, 2016 (Exemplo 1)
4 | ##### (me delete ou transforme em comentário)
5 |
6 | **Progresso do dia:** Consertei CSS, trabalhei na funcionalidade canvas para o app.
7 |
8 | **Aprendizados:** Eu realmente apanhei do CSS, mas sinto que estou progredindo e melhorando a cada dia. Canvas ainda é novo para mim, mas eu consegui compreender suas funcionalidades básicas..
9 |
10 | **Link do trabalho:** [App de calculadora](http://www.example.com)
11 |
12 | ### Dia 1: 30 de fevereiro, 2016 (Exemplo 2)
13 | ##### (me delete ou transforme em comentário)
14 |
15 | **Progresso do dia:** Consertei CSS, trabalhei na funcionalidade canvas para o app.
16 |
17 | **Aprendizados:** Eu realmente apanhei do CSS, mas sinto que estou progredindo e melhorando a cada dia. Canvas ainda é novo para mim, mas eu consegui compreender suas funcionalidades básicas..
18 |
19 | **Link do trabalho:** [App de calculadora](http://www.example.com)
20 |
21 | ### Day 2: 1 de março, 2016 (Exemplo 2)
22 |
23 | **Progresso do dia:** Eu avancei em alguns exercícios do FreeCodeCamp.
24 |
25 | **Aprendizados:** Comecei a programar recentemente e me dá um sentimento muito bom quando consigo resolver um algoritmo que me desafiou durante horas.
26 |
27 | **Link(s) do(s) trabalho(s)**
28 | 1. [Find the Longest Word in a String](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
29 | 2. [Title Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
30 |
--------------------------------------------------------------------------------
/intl/pt-br/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Log - Round 1 - [Seu nome aqui]
2 |
3 | O log do meu desafio #100DaysOfCode. Iniciado em [17 de julho, segunda-feira, 2017].
4 |
5 | ## Log
6 |
7 | ### R1D1
8 |
9 | Iniciei um app de previsão do tempo. Trabalhei no rascunho do layout e tive dificuldades com a API OpenWeather http://www.example.com
10 |
11 | ### R1D2
12 |
--------------------------------------------------------------------------------
/intl/pt-br/recursos.md:
--------------------------------------------------------------------------------
1 | # Recursos primários do #100DaysOfCode
2 |
3 | [The #100DaysOfCode Official Site](http://100daysofcode.com/)
4 |
5 | ### Artigos
6 |
7 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
8 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
9 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
10 |
11 | ### Podcasts
12 |
13 | # Recursos adicionais do #100DaysOfCode
14 |
15 | ## Artigos úteis
16 |
17 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
18 |
19 | ## Projetos e ideias
20 |
21 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
22 | 2. [The Odin Project](http://www.theodinproject.com/)
23 |
24 | ## Outros recursos
25 |
26 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
27 |
28 | ## Livros (sobre programação ou não)
29 |
30 | ### Não relacionado com programação
31 |
32 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
33 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
34 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
35 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
36 |
37 | ### Programação
38 |
39 | 1. "Professional Node.js" por Teixeira
40 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - disponível online (free) & em papel
41 | 3. "Mastering JavaScript" por Ved Antani
42 |
43 | ## Conteúdo
44 |
45 | * [Regras](regras.md)
46 | * [Log - clique aqui para ver meu progresso](log.md)
47 | * [LEIA-ME](LEIAME.md)
48 | * [Recursos](recursos.md)
49 |
--------------------------------------------------------------------------------
/intl/pt-br/regras.md:
--------------------------------------------------------------------------------
1 | # Regras do desafio 100 Days Of Code
2 |
3 | ## Compromisso principal
4 |
5 | ### *Eu irei programar por, pelo menos, uma hora por dia pelos próximos 100 dias.*
6 |
7 | #### Data de início
8 |
9 | 25 de junho, 2016. [COLOQUE SUA DATA AQUI]
10 |
11 | ## Regras adicionais
12 |
13 | 1. Eu irei twittar sobre meu progresso diariamente -> usando a hashtag #100DaysOfCode
14 | 2. Se eu programar no trabalho, não irei considerar esse tempo como parte do desafio.
15 | 3. Eu irei enviar meu código para o GitHub todo dia para que qualquer pessoa possa ver meu progresso.
16 | 4. Eu irei atualizar o (Log)[log.md] com meu progresso diário e irei providenciar um link para que outros possam ver meu progresso.
17 | 5. Eu irei trabalhar em projetos reais, com desafios verdadeiros. O tempo que usar vendo tutoriais, cursos online e outros recursos similares NÃO irão contar para o desafio. (Caso você esteja aprendendo a programar, leia [LEIA-ME](LEIAME.md))
18 |
19 | ## Ideias para fazer esse desafio ser mais eficiente
20 |
21 | 1. Para aumentar as chances de sucesso, é requerido que você adicione o link de cada dia de posts no [log](log.md). Pode ser um link do commit no GitHub ou um link para um artigo de blog.
22 | 2. Se você perder a paciência ou ficar travado, leia esse artigo: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd)
23 | 3. Se você não sabe o motivo da ênfase de trabalhar em projetos reais, em relação aos tutoriais ou cursos online, leia isso: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645)
24 | 4. Se você não puder enviar seu código para o GitHub por alguma razão (por exemplo, se você estiver aprendendo a programar ou estiver resolvendo exercícios interativos), forneça um link para o tweet. É fundamental manter seu desafio publicamente - você será beneficiado de estar comprometido com o desafio e com o registro do seu progresso publicado.
25 | 5. Outro benefício de dar um fork neste repositório -> se você nunca trabalhou com Markdown anteriormente, é um bom modo de praticar.
26 |
27 | ## Conteúdo
28 |
29 | * [Regras](regras.md)
30 | * [Log - clique aqui para ver meu progresso](log.md)
31 | * [LEIA-ME](LEIAME.md)
32 | * [Recursos](recursos.md)
33 |
--------------------------------------------------------------------------------
/intl/sr/log-sr.md:
--------------------------------------------------------------------------------
1 | # 100 Days Of Code - Dnevnik
2 |
3 | ### Dan 0: Februar 30, 2016 (Primjer 1)
4 | ##### (izbriši me ili unesi komentar)
5 |
6 | **Današnji napredak**: Ispravljen CSS, radio na funkcionalnosti Canvas-a za aplikaciju.
7 |
8 | **Misli:** Zaista sam se borio sa CSS-om, ali, generalno, imam osećaj kao da polako postajem bolji u tome. Canvas je za mene još uvijek nov, ali uspio sam razabrati neke osnovne funkcionalnosti.
9 |
10 | **Link do rada:** [Kalkulator Aplikacija](http://www.example.com)
11 |
12 | ### Dan 0: Februar 30, 2016 (Primjer 2)
13 | ##### (izbriši me ili unesi komentar)
14 |
15 | **Današnji napredak**: Ispravljen CSS, radio na funkcionalnosti Canvas-a za aplikaciju.
16 |
17 | **Misli:** Zaista sam se borio sa CSS-om, ali, generalno, imam osećaj kao da polako postajem bolji u tome. Canvas je za mene još uvijek nov, ali uspio sam razabrati neke osnovne funkcionalnosti.
18 |
19 | **Linkovi do rada:**: [Kalkulator Aplikacija](http://www.example.com)
20 |
21 |
22 | ### Dan 1: Jun 27, Ponedeljak
23 |
24 | **Današnji napredak**: Prošao sam mnoge vježbe na FreeCodeCamp-u.
25 |
26 | **Misli:** Nedavno sam započeo s programiranjem, i odličan je osjećaj kada konačno riješim izazov algoritma nakon puno pokušaja i mnogo potrošenih sati.
27 |
28 | **Linkovi do rada:**
29 | 1. [Pronađite najdužu riječ u nizu](https://www.freecodecamp.com/challenges/find-the-longest-word-in-a-string)
30 | 2. [Naslov Case a Sentence](https://www.freecodecamp.com/challenges/title-case-a-sentence)
31 |
--------------------------------------------------------------------------------
/intl/sr/r1-log-sr.md:
--------------------------------------------------------------------------------
1 | # #100DaysOfCode Dnevnik - Runda 1 - [Vaše ime ovde]
2 |
3 | Dnevnik mog #100DaysOfCode izazova. Započeo [17. jula, ponedjeljak, 2017].
4 |
5 | ## Dnevnik
6 |
7 | ### R1D1
8 | Započeo vremensku aplikaciju. Radio na nacrtu izgleda aplikacije, borio se sa OpenWeather API http://www.example.com
9 |
10 | ### R1D2
11 |
--------------------------------------------------------------------------------
/intl/sr/resources-sr.md:
--------------------------------------------------------------------------------
1 | # Primarni resursi na #100DaysOfCode
2 |
3 | [#100DaysOfCode Zvanični sajt](http://100daysofcode.com/)
4 |
5 | ### Članci
6 | 1. [Pridružite se #100DaysOfCode izazovu](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Započnite 2017 sa #100DaysOfCode Izazovom](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Otpor, promjena navike i #100DaysOfCode pokret](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcast-i
11 |
12 | # Dodatni resursi na #100DaysOfCode
13 |
14 | ## Korisni članci
15 | 1. [Nježno objašnjenje this u JavaScript-u](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 | 2. [Napravite Laravel CRUD aplikaciju od nule](https://www.codewall.co.uk/laravel-crud-demo-with-resource-controller-tutorial/)
17 |
18 | ## Projekti i ideje
19 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
20 | 2. [The Odin Project](http://www.theodinproject.com/)
21 |
22 | ## Ostali resursi
23 | 1. [CodeNewbie - #100DaysOfCode Slack kanal](https://codenewbie.typeform.com/to/uwsWlZ)
24 |
25 | ## Knjige (oboje, programiranje i ne)
26 |
27 | ### Bez programiranja
28 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
29 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
30 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
31 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
32 |
33 | ### Programiranje
34 | 1. "Professional Node.js" by Teixeira
35 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
36 | 3. "Mastering JavaScript" by Ved Antani
37 |
38 | ## Sadržaj
39 | * [Pravila](rules-sr.md)
40 | * [Dnevnik - kliknite ovdje da vidite moj napredak](log-sr.md)
41 | * [FAQ](FAQ-sr.md)
42 | * [Resursi](resources-sr.md)
43 |
--------------------------------------------------------------------------------
/intl/sr/rules-sr.md:
--------------------------------------------------------------------------------
1 | # Pravila 100 Days Of Code izazova
2 |
3 | ## Glavna obveza
4 | ### *Svakodnevno ću programirati barem sat vremena svaki dan u narednih 100 dana.*
5 |
6 | #### Početni datum
7 | Jun 25., 2016. [UNESITE VAŠ DATUM OVDJE]
8 |
9 | ## Dodatna pravila
10 | 1. Svakodnevno ću tvitovati o svom napretku -> koristeći hešteg #100DaysOfCode
11 | 2. Ako programiram na poslu, to vrijeme se neće računati u izazovu.
12 | 3. Svakodnevno ću stavljati kod na GitHub kako bi svako mogao vidjeti moj napredak.
13 | 4. Ažurirat ću [Dnevnik](log-sr.md) s napretkom svakog dana i postavću link kako bi i drugi mogli vidjeti moj napredak.
14 | 5. Radit ću na stvarnim projektima, suočen sa stvarnim izazovima. Vrijeme provedeno radeći na vježbama, internet kursevima i drugim sličnim resursima NEĆE se računati u ovaj izazov. (Ako ste tek počeli učiti programiranje, pročitajte [FAQ](FAQ-sr.md))
15 |
16 |
17 | ## Ideje kako ovaj izazov učiniti učinkovitijim
18 | 1. Da biste povećali šanse za uspjeh, potrebno je dodati link na svaki dan u postu [Dnevnik](log-sr.md). To može biti link do commit-a na GitHub-u, link do članka na blogu
19 | 2. Ako se uznemirite ili ste zaglavili, pročitajte ovaj članak: [Učenje programiranja: Kada padne mrak](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd/)
20 | 3. Ako ne znate zašto je toliki akcenat na radu na projektima u odnosu na izvođenju tutorijala ili internet kurseva, pročitajte ovo: [Kako dobiti posao programera za manje od godinu dana](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645/)
21 | 4. Ako iz nekog razloga ne možete push-ati svoj kod na GitHub (npr. Ako samo počinjete programirati i raditi interaktivne vježbe), dodajte link do tvita. Možete razmišljati o nečemu drugom sve dok vaš izazov ostane javan - i dobijete korist od toga da ste predani njemu i odgovorni za svoj napredak.
22 | 5. Još jedan dobar bonus fork-ovanja ovog repo-a -> ako do sada niste radili s Markdown-om, dobar je način vježbanja.
23 |
24 | ## Sadržaj
25 | * [Pravila](rules-sr.md)
26 | * [Dnevnik - kliknite ovdje da vidite svoj napredak](log-sr.md)
27 | * [FAQ](FAQ-sr.md)
28 | * [Resursi](resources-sr.md)
29 |
--------------------------------------------------------------------------------
/intl/ua/log.md:
--------------------------------------------------------------------------------
1 | # 100 Днів Коду - Лог
2 |
3 | ### День 0: 1 травня 2018 (Приклад 1)
4 | ##### (видали мене або закоментуй)
5 |
6 | **Сьогоднішній прогрес**: Робив правки у CSS, працбвав над canvas функіоналом для додатку.
7 |
8 | **Думки:** Блаблабла
9 |
10 | **Посилання:** [Calculator App](http://www.example.com)
11 |
--------------------------------------------------------------------------------
/intl/ua/r1-log.md:
--------------------------------------------------------------------------------
1 | # #100ДнівКоду Журнал - Раунд 1 - [Ваше ім'я]
2 |
3 | Журнал мого челленджу #100ДнівКоду. Старт челленджу [1 травня 2018].
4 |
5 | ##Журнал
6 |
7 | ### Р1Д1
8 | Блаблабла
9 |
10 | ### Р2Д2
11 |
12 |
--------------------------------------------------------------------------------
/intl/ua/resources.md:
--------------------------------------------------------------------------------
1 | # Основні ресурси челленджу #100DaysOfCode
2 |
3 | [The #100DaysOfCode Офіційний Сайт](http://100daysofcode.com/)
4 |
5 | ### Статті
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Підкасти
11 |
12 | # Додаткові ресурси #100DaysOfCode
13 |
14 | ## Корисні статті
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 |
17 | ## Проекти та ідеї
18 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
19 | 2. [The Odin Project](http://www.theodinproject.com/)
20 |
21 | ## Інші ресурси
22 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
23 |
24 | ## Книжки (як про кодиг, так і не про кодинг)
25 |
26 | ### Не про кодинг
27 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
28 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
29 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
30 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
31 |
32 |
33 | ### Про кодинг
34 | 1. "Professional Node.js" by Teixeira
35 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
36 | 3. "Mastering JavaScript" by Ved Antani
37 |
38 | ## Зміст
39 | * [Rules](rules.md)
40 | * [Log - click here to see my progress](log.md)
41 | * [FAQ](FAQ.md)
42 | * [Resources](resources.md)
43 |
--------------------------------------------------------------------------------
/intl/ua/rules.md:
--------------------------------------------------------------------------------
1 | # Правила челленджу 100 Днів Коду
2 |
3 | ## Головне забов'язання
4 | ### *Я буду кодити, принаймні онду годину на день щодня наступні 100 днів.*
5 |
6 | #### Дата початку
7 | 22 травня 2018. [вкажіть вашу дату]
8 |
9 | ## Додаткові правила
10 | 1. Я буду публікувати у Твіттер мій прогрес щодня -> використовуючи хеш-тег #100DaysOfCode, #100ДнівКоду
11 | 2. Якшо я пишу к од на роботі, цей час не буде зараховуватись у мій челлендж.
12 | 3. Я буду заливати мій код на GitHub щодня, щоб будь-хто міг відстежити мій прогрес.
13 | 4. Я буду оновлювати (Log)[log.md] з моїм щоденним прогресом і надавати посилання, щоб інші могли бачити мій прогрес.
14 | 5. Я буду працювати над реальними проектами, стикаючись з реальними проблемами. Час витрачений на туторіали, онлайн курси або інші подібні ресурси - не зараховується! (Якщо ви щойно почали вивчати код, ознайомтесь з [FAQ](FAQ.md)).
15 |
16 | ## Ідеї, щоб зробити цей челлендж більш ефективним
17 | 1. Щоб збільшити шанси на успіх, мається на увазі, що ви будете додавати посиланя на ващі щоденні пости у [log](log.md). Це може бути посилання на комміт на GitHub, посилання на публікацію блогу.
18 | 2. Якщо ви засмучені або застрягли - прочитайте цю статтю: [Learning to Code: When It Gets Dark]
19 | (https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd).
20 | 3. Якщо ви не розумієте, чому акцент ставиться, саме на роботі над реальними проектами, аніж проходження туторіалів чи онлайн-курсів, прочитайте це: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645).
21 | 4. Якщо ви не можете завантажити ваш код на GitHub з якоїсь причини (наприклад, якщо ви тільки почали кодити і виконуєте інтеркативні вправи), надішліть посилання на твіт. Ви можете думати над чимось іншим, доки ваш челлендж залишається загальнодоступним ви віддаєте перевагу відданості справі та відповідальності за ваш прогрес.
22 | 5. Ще один хороший бонус зробити форк цього репозиторію -> якщо ви ще не працювали з Розмыткою, то це гарний спосыб попрактикуватись.
23 |
24 | ## Зміст
25 | * [Rules](rules.md)
26 | * [Log - click here to see my progress](log.md)
27 | * [FAQ](FAQ.md)
28 | * [Resources](resources.md)
29 |
--------------------------------------------------------------------------------
/resources.md:
--------------------------------------------------------------------------------
1 | # Primary Resources on the #100DaysOfCode
2 |
3 | [The #100DaysOfCode Official Site](http://100daysofcode.com/)
4 |
5 | ### Articles
6 | 1. [Join the #100DaysOfCode](https://medium.freecodecamp.com/join-the-100daysofcode-556ddb4579e4) freeCodeCamp Medium
7 | 2. [Boot Up 2017 with the #100DaysOfCode Challenge](https://medium.freecodecamp.com/start-2017-with-the-100daysofcode-improved-and-updated-18ce604b237b) freeCodeCamp Medium
8 | 3. [Resistance, Habit Change and the #100DaysOfCode Movement](https://studywebdevelopment.com/100-days-of-code.html) StudyWebDevelopment Blog
9 |
10 | ### Podcasts
11 |
12 | # Additional Resources on the #100DaysOfCode
13 |
14 | ## Helpful Articles
15 | 1. [Gentle Explanation of 'this keyword in JavaScript](http://rainsoft.io/gentle-explanation-of-this-in-javascript/)
16 | 2. [Build a Laravel CRUD Application from scratch](https://www.codewall.co.uk/laravel-crud-demo-with-resource-controller-tutorial/)
17 |
18 | ## Projects and Ideas
19 | 1. [FreeCodeCamp](https://www.freecodecamp.com)
20 | 2. [The Odin Project](http://www.theodinproject.com/)
21 |
22 | ## Other resources
23 | 1. [CodeNewbie - #100DaysOfCode Slack Channel](https://codenewbie.typeform.com/to/uwsWlZ)
24 |
25 | ## Books (both coding and non-coding)
26 |
27 | ### Non-Coding
28 | 1. ["The War of Art" by Steven Pressfield](http://www.goodreads.com/book/show/1319.The_War_of_Art)
29 | 2. ["The Obstacle is the Way" by Ryan Holiday](http://www.goodreads.com/book/show/18668059-the-obstacle-is-the-way?ac=1&from_search=true)
30 | 3. ["Ego is the Enemy" by Ryan Holiday](http://www.goodreads.com/book/show/27036528-ego-is-the-enemy?from_search=true&search_version=service)
31 | 4. ["Meditations" by Marcus Aurelius](https://www.goodreads.com/book/show/662925.Meditations)
32 |
33 | ### Coding
34 | 1. "Professional Node.js" by Teixeira
35 | 2. ["Eloquent Javascript" by Marijn Haverbeke](http://eloquentjavascript.net/) - available online (free) & as a paperback
36 | 3. "Mastering JavaScript" by Ved Antani
37 |
38 | ## Contents
39 | * [Rules](rules.md)
40 | * [Log - click here to see my progress](log.md)
41 | * [FAQ](FAQ.md)
42 | * [Resources](resources.md)
43 |
--------------------------------------------------------------------------------
/rules.md:
--------------------------------------------------------------------------------
1 | # Rules of the 100 Days Of Code Challenge
2 |
3 | ## Main Commitment
4 | ### *I will code for at least an hour every day for the next 100 days.*
5 |
6 | #### Start Date
7 | February 25th, 2021.
8 |
9 | ## Additional Rules
10 | 1. I will tweet about my progress every day -> using the hashtag #100DaysOfCode
11 | 2. If I code at work, that time won't count towards the challenge.
12 | 3. I will push code to GitHub every day so that anyone can see my progress.
13 | 4. I will update the (Log)[log.md] with the day's progress and provide a link so that others can see my progress.
14 | 5. I will work on real projects, facing real challenges. The time spent doing tutorials, online courses and other similar resources will NOT count towards this challenge. (If you've just started learning to code, read [FAQ](FAQ.md))
15 |
16 |
17 | ## Ideas to make this challenge more effective
18 | 1. To increase the chances of success, it's a requirement that you add a link to each of the day posts in the [log](log.md). It can be a link to a commit on GitHub, a link to a blog post
19 | 2. If you get upset or stuck, read this article: [Learning to Code: When It Gets Dark](https://www.freecodecamp.org/news/learning-to-code-when-it-gets-dark-e485edfb58fd/)
20 | 3. If you don't know why there is such an emphasis on working on the projects vs doing tutorials or online courses, read this: [How to Get a Developer Job in Less Than a Year](https://www.freecodecamp.org/news/how-to-get-a-developer-job-in-less-than-a-year-c27bbfe71645/)
21 | 4. If you can't push your code to GitHub for some reason (e.g. if you're only starting to code and doing interactive exercises), provide a link to a tweet. You can think of something else as long as your challenge stays public - and you get the benefit of being committed to it and accountable for your progress.
22 | 5. Another good bonus of forking this repo -> if you haven't worked with Markdown before, it's a good way to practice.
23 |
24 | ## Contents
25 | * [Rules](rules.md)
26 | * [Log - click here to see my progress](log.md)
27 | * [FAQ](FAQ.md)
28 | * [Resources](resources.md)
29 |
--------------------------------------------------------------------------------