<?xml version="1.0" encoding="UTF-8"?><rss version="2.0"
	xmlns:content="http://purl.org/rss/1.0/modules/content/"
	xmlns:wfw="http://wellformedweb.org/CommentAPI/"
	xmlns:dc="http://purl.org/dc/elements/1.1/"
	xmlns:atom="http://www.w3.org/2005/Atom"
	xmlns:sy="http://purl.org/rss/1.0/modules/syndication/"
	xmlns:slash="http://purl.org/rss/1.0/modules/slash/"
	>

<channel>
	<title>JavaScript &#8211; CodePills.com</title>
	<atom:link href="https://codepills.com/tag/javascript/feed/" rel="self" type="application/rss+xml" />
	<link>https://codepills.com</link>
	<description>Helping you make a better code</description>
	<lastBuildDate>Fri, 17 Jun 2022 21:43:33 +0000</lastBuildDate>
	<language>en-US</language>
	<sy:updatePeriod>
	hourly	</sy:updatePeriod>
	<sy:updateFrequency>
	1	</sy:updateFrequency>
	
	<item>
		<title>How to show first n characters in JavaScript or TypeScript string</title>
		<link>https://codepills.com/how-to-show-first-n-characters-in-javascript-or-typescript-string/</link>
					<comments>https://codepills.com/how-to-show-first-n-characters-in-javascript-or-typescript-string/#respond</comments>
		
		<dc:creator><![CDATA[Andrej Buday]]></dc:creator>
		<pubDate>Wed, 09 Dec 2020 12:57:38 +0000</pubDate>
				<category><![CDATA[Language basics]]></category>
		<category><![CDATA[API]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[substring]]></category>
		<category><![CDATA[TypeScript]]></category>
		<guid isPermaLink="false">https://codepills.com/?p=1089</guid>

					<description><![CDATA[This article will show you three different ways how to obtain substring from a string in JavaScript or TypeScript <a href="https://codepills.com/how-to-show-first-n-characters-in-javascript-or-typescript-string/">Continue reading <span class="meta-nav">&#8594;</span></a>]]></description>
										<content:encoded><![CDATA[<p>To get a substring from a string in JavaScript or TypeScript, you have three different methods to call as an option. Besides TypeScript compiling to JavaScript, the method&#8217;s names a behaviour stay the same.</p>
<p><span id="more-1089"></span></p>
<h2>What is the difference between slice(), substr() and substring() string methods?</h2>
<p>The <code>slice()</code> method extracts parts of a string and returns the extracted parts in a <u>new string</u>. <code>slice()</code> does not change original string.</p>
<p><b>Syntax</b></p>
<p><code>string.slice(start_position, end_position_excluded)</code></p>
<p>The <code>substr()</code> method extracts parts of a string, beginning at the character at the specified position, and returns the limited number of characters. <code>substr()</code> does not change original string.</p>
<p><b>Syntax</b></p>
<p><code>string.substr(start_position, length)</code></p>
<p>The <code>substring()</code> method extracts parts of a string and returns the extracted parts in a <u>new string</u>. <code>substring()</code> does not change original string.</p>
<p><b>Syntax</b></p>
<p><code>string.substring(start_position, end_position_excluded)</code></p>
<p>As a conclusion we can say that there is a difference between <code>slice()</code> and <code>substr()</code>, while <code>substring()</code> is basically a copy of <code>slice()</code>.</p>
<p>Let&#8217;s take a better look at the differences between the individual methods.</p>
<h2>Slice()</h2>
<pre><code class="language-typescript">var string = "1234567890"
var substr=string.slice(4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">567890</code></pre>
<p><code>substr(4)</code> will remain everything after first 4 characters.</p>
<pre><code class="language-typescript">var string = "1234567890"
var substr = string.slice(0, 4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">1234</code></pre>
<p><code>substr(0, 4)</code> will keep the first 4 characters. Second argument exclude the argument position (upper bound excluded).</p>
<pre><code class="language-typescript">var string = "1234567890"
var substr = string.slice(-4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">890</code></pre>
<p><code>substr(-4)</code> will keep the last 4 characters.</p>
<h2>Substr()</h2>
<pre><code class="language-typescript">var string = "1234567890"
var substr=string.substr(4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">567890</code></pre>
<p><code>substr(4)</code> will remain everything after first 4 characters.</p>
<pre><code class="language-typescript">var string = "1234567890"
var substr = string.substr(0, 4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">1234</code></pre>
<p><code>substr(0, 4)</code> will keep the first 4 characters. Second argument denotes the number of characters to extract.</p>
<pre><code class="language-typescript">var string = "1234567890"
var substr = string.substr(-4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">890</code></pre>
<p><code>substr(-4)</code> will keep the last 4 characters.</p>
<h2>Substring()</h2>
<pre><code class="language-typescript">var string = "1234567890"
var substr=string.substring(4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">567890</code></pre>
<p><code>substr(4)</code> will remain everything after first 4 characters.</p>
<pre><code class="language-typescript">var string = "1234567890"
var substr = string.substring(0, 4);
console.log(substr);</code></pre>
<p><b>Output</b></p>
<pre><code class="language-bash">1234</code></pre>
<p><code>substr(0, 4)</code> will keep the first 4 characters. Second argument exclude the argument position (upper bound excluded).</p>
<p><strong>General note regarding indexes in all 3 methods:</strong> Strings are arrays of characters. Therefore they start character order from 0.</p>
<h2>Conclusion</h2>
<p>As you can see, using <code>substring</code> is nearly identical to <code>split()</code> or <code>substr()</code> method. However there are some small differences. For example <code>substring()</code> does not have option to add negative number and count string split backwards. Also if first argument is greater than the second, <code>substring</code> will swap the two arguments, and perform as usual.</p>
<p>Basically, if you know the the position (index) on which you will start and the length of the of characters to be extracted, use <code>subst(start_position, length)</code>. Otherwise if you know the position (index) you want to start and end, but <b>NOT</b> include the end position, use <code>slice(start_position, end_position_excluded)</code>.</p>
]]></content:encoded>
					
					<wfw:commentRss>https://codepills.com/how-to-show-first-n-characters-in-javascript-or-typescript-string/feed/</wfw:commentRss>
			<slash:comments>0</slash:comments>
		
		
			</item>
		<item>
		<title>How to make a webpage</title>
		<link>https://codepills.com/how-to-make-a-webpage/</link>
					<comments>https://codepills.com/how-to-make-a-webpage/#respond</comments>
		
		<dc:creator><![CDATA[Andrej Buday]]></dc:creator>
		<pubDate>Wed, 02 Dec 2015 14:59:02 +0000</pubDate>
				<category><![CDATA[Tutorials]]></category>
		<category><![CDATA[CSS]]></category>
		<category><![CDATA[HTML]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[Learning notes]]></category>
		<category><![CDATA[PHP]]></category>
		<category><![CDATA[Tutorial]]></category>
		<guid isPermaLink="false">http://codekopf.com/?p=421</guid>

					<description><![CDATA[Whatt is necessary for making webpage What is not necessary for making webpage Two steps for creating first webpage Webpage files WYSIWYG HTML editors Writing own HTML code Tutorial for begginers Quickest way how to learn making webpage What is necessary for making &#8230; <a href="https://codepills.com/how-to-make-a-webpage/">Continue reading <span class="meta-nav">&#8594;</span></a>]]></description>
										<content:encoded><![CDATA[<ul>
<li><a href="#whatisnecessary">Whatt is necessary for making webpage</a></li>
<li><a href="#whatisnotneeded">What is not necessary for making webpage</a></li>
<li><a href="#twosteps">Two steps for creating first webpage</a></li>
<li><a href="#files">Webpage files</a></li>
<li><a href="#editors">WYSIWYG HTML editors</a></li>
<li><a href="#writing">Writing own HTML code</a></li>
<li><a href="#tutorial">Tutorial for begginers</a></li>
<li><a href="#quickest">Quickest way how to learn making webpage</a></li>
</ul>
<p><span id="more-421"></span></p>
<h2><a name="whatisnecessary"></a>What is necessary for making webpage</h2>
<ul>
<li>First of all it is important to use <strong>logic and brain</strong>. All information system are very rational and thus easy to work with.</li>
<li>At start we will need <strong>any kind of PC which is running basic text editor</strong> (exp. Windows Notepad, TextEdit). Creating websites is possible nowadays even on mobile devices but this something we do not need to concern about now.</li>
<li>We need <strong>internet browser</strong>. All internet browsers are available free of charge. In long-term exist few very popular with huge market share:
<ul>
<li>Internet Explorer &#8211; icon of the blue round E. Default browser for Windows operating systems.</li>
<li>Chrome &#8211; icon of the multicolored ball. Browser provided by company Google.</li>
<li>Firefox &#8211; icon of the red fox. Browser provided by company Mozilla.</li>
<li>Opera &#8211; icon of the red letter O</li>
<li>Safari &#8211; icon of the compass. Default browser for iOS devices.</li>
</ul>
</li>
<li><strong>Internet connection</strong> is not necessary for making website but it is very desirable for quick learning and eventually fast development. Nobody expect you to know everything. And there is lot of information available on the Internet from which you can use as source. Thus having constant internet connection is very handy for quick learning.</li>
<li>It is good to have <strong>idea what you want to make</strong>.</li>
<li>Don&#8217;t try to do anything if you have not <strong>elementary knowledge of work with computer</strong>. Better said, you understand at least what is file, how to work with system files, what is system directory.</li>
</ul>
<h2><a name="whatisnotneeded"></a>What is not necessary for making webpage</h2>
<ul>
<li>As was said earlier internet connection is not directly necessary for creating websites.</li>
<li>You do not need buying expensive licenses for complex code editors. There are plenty of free and simple editors for making websites.</li>
<li>You do not need to know how to program.</li>
<li>You do not need to pay anything for training or learning. Unless you decide you want to have own domain.</li>
</ul>
<h2><a name="twosteps"></a>Two steps for creating first webpage</h2>
<ul>
<ol>
<li>Write webpage = source code saved in HTML file (occasionally with additional other files)</li>
<li>Uploading webpage file on the Internet = copying webpage file on server.</li>
</ol>
</ul>
<p>In this article we will talk about first step, making webpage &#8211; writing its source code. At first, localy, on own discspace.</p>
<h2><a name="files"></a>Webpage files</h2>
<p>Internet webpage is file with file extension html or htm. It is nearly normal text file. Only difference is that text, images, video, all media etc. are formated in signs of HTML language called tags.</p>
<p>File with .html extension on local disk has own icon depicting that it is webpage. It can look like this:</p>
<h3>How to open Webpage</h3>
<ol>
<li>You can look at the webpage as page in browser &#8211; in such case you can not edit it</li>
<li>or you open it as a text (exp. in Notes program), and you will see it&#8217;s source code  (source, code) and you can edit it. This is a way how pages are made.</li>
</ol>
<h3>How to make HTML file</h3>
<ul>
<ol>
<li>You can directly write your own source code in HTML language. Might look hard on first sight. But it is much easier than you think.</li>
<li>Or you can make HTML file by HTML editor. (It is good for beginner to learn principles.)</li>
</ol>
</ul>
<h2><a name="editors"></a>WYSIWYG HTML editors</h2>
<p>HTML editors are program designated for making webpages. For beginners are especially useful WYSIWYG editors &#8211; What You See Is What You Get &#8211; literally used edit webpage as it will be looking and does not bother by writing HTML source code.</p>
<p>In WYSIWYG editor you  can create webpages without knowledge of HTML language. You are normally writing paragraphs, insert images and make other common edits. WYSIWYG editor than save file on disk to file with html extension. Editor also automatically insert all necessary HTML tags into webpage itself.</p>
<p>To WYSIWYG editors belong Dreamweaver, FrontPage 2000 and few others. WYSIWYG editors has certain disadvantages (exp. quality and size of source code)  for which are not deployed.</p>
<p>You can reed more about advantages and disadvantages in <a href="http://codekopf.com/basic-course-making-html-website/html-editors/">article about WYSIWYG editors</a>.</p>
<p>Accept WYSIWYG editors exist also structural editors, in which you can directly writing HTML code with possibility of program helping you (placing ending tags etc.)<br />
Structural editors are: PSPad, Notepad++, jEdit, Code, Sublime Text, etc. and in case of emergency even simple Microsoft Notepad.</p>
<p>You can also use Word or Libre Office for writing webpages.</p>
<h2><a name="writing"></a>Writing own HTML code</h2>
<p>Who wants to have full control  writes own HTML source code from begging in structural editor. She or he need to learn basic HTML tags. Learning HTML basics is fundamental because creating latter more complicated solutions in WYSIWYG editors is not possible.</p>
<p>This is example of basic HTML code structure:</p>
<pre class="lang:xhtml decode:true ">&lt;html&gt;
&lt;head&gt;
&lt;title&gt;My first webpage&lt;/title&gt;
&lt;/head&gt;

&lt;body&gt;
&lt;h1&gt;My first webpage.&lt;/h1&gt;
&lt;p&gt;"That's one small step for man, one giant leap for mankind." - Neil Armstrong&lt;/p&gt;
&lt;/body&gt;
&lt;/html&gt;</pre>
<p>If you will take this HTML code and open exp. Notepad, place it into editor and save on disk under name example.html you have made your first webpage. You can also open your newly created webpage in the <a href="http://codekopf.com/basic-course-making-html-website/internet-browsers/">browser</a>.</p>
<h2><a name="tutorial"></a>Tutorial for beginners</h2>
<p>How to make HTML file in Windows (one of many ways). (If something would not work, check our more complex tutorial).</p>
<ul>
<ol>
<li>Create on your disk new folder exp. C:test and open it.</li>
<li>Create new text file (right mouse click &gt; New &gt; Text Document)</li>
<li>Rename it as webpage.html (and confirm extension change). File icon will change.</li>
<li>Open file by double click. Blank page will be opened in browser.</li>
<li>Return to folder and click by right click on newly created file &#8211; select Open in program. If Notepad is available, select it. If it is not available you need to find it. Empty text edit will open up.</li>
<li>Now you can write text and add additional HTML tags. You can read more in article about HTML basics.</li>
<li>Hit File &gt; Save.</li>
<li>Flip to opened browser and hit F5 (Refresh page).</li>
<li>Check the differences.</li>
<li>You can experiment like this infinitely.</li>
</ol>
</ul>
<p>For now your page is at your local disk. You can check article about how to copy webpage on server.</p>
<p><b>In file names used for internet never use diacritic and spaces! </b>We recommend write all names lowercase.</p>
<h2><a name="quickest"></a>Quickest way how to learn making webpages</h2>
<p>I believe that the quickest way how to learn making webpages is to use combination of advantages of both kind of editors. :</p>
<ul>
<li>Make webpage in WYSIWYG editor</li>
<li>Check webpage in browser</li>
<li>Analyse HTML code in structural editor. Edit the page and check what will happens.</li>
</ul>
]]></content:encoded>
					
					<wfw:commentRss>https://codepills.com/how-to-make-a-webpage/feed/</wfw:commentRss>
			<slash:comments>0</slash:comments>
		
		
			</item>
		<item>
		<title>Erasmus web šablóna</title>
		<link>https://codepills.com/erasmus-web-sablona/</link>
					<comments>https://codepills.com/erasmus-web-sablona/#respond</comments>
		
		<dc:creator><![CDATA[Andrej Buday]]></dc:creator>
		<pubDate>Sat, 17 Mar 2012 15:34:40 +0000</pubDate>
				<category><![CDATA[Projects]]></category>
		<category><![CDATA[CSS]]></category>
		<category><![CDATA[Erasmus sprievodca]]></category>
		<category><![CDATA[HTML]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[javascript framework]]></category>
		<category><![CDATA[Kubrick wordpress theme]]></category>
		<category><![CDATA[WordPress]]></category>
		<category><![CDATA[WordPress theme]]></category>
		<guid isPermaLink="false">http://codekopf.com/?p=688</guid>

					<description><![CDATA[Popis: Erasmus web šablóna je HTML dokument, ktorý je voľne k stiahnutiu. Tento dokument má 2 účely. Stiahnuť a upraviť podľa svojich predstáv si ho môže ktokoľvek. Na druhej strane dokument reprezentuje všetky články, ktoré som napísal o programe Erasmus &#8230; <a href="https://codepills.com/erasmus-web-sablona/">Continue reading <span class="meta-nav">&#8594;</span></a>]]></description>
										<content:encoded><![CDATA[<p><a href="http://www.codekopf.com/erasmus-web-sablona/"><img fetchpriority="high" decoding="async" class="alignnone size-medium wp-image-70" title="erasmus_top" src="http://www.codekopf.com/blog/wp-content/uploads/2012/03/erasmus_top.png" alt="" width="450" height="285" /></a></p>
<p><strong>Popis:</strong> Erasmus web šablóna je HTML dokument, ktorý je voľne k stiahnutiu. Tento dokument má 2 účely. Stiahnuť a upraviť podľa svojich predstáv si ho môže ktokoľvek. Na druhej strane dokument reprezentuje všetky články, ktoré som napísal o programe Erasmus a môže tak slúžiť ako sprievodca pre uchádzačov o program Erasmus.</p>
<p><span id="more-688"></span></p>
<p>V tejto šablone sú použité niektoré prvky z CSS3. Na galériu obrázkov je použitý fancybox JavaScript framework.</p>
<p><strong>Link na stiahnutie:</strong> <a href="http://codekopf.com/wp-content/uploads/2012/03/erasmus_web_sablona.zip">Stiahnuť Erasmus web šablónu</a></p>
<p><strong>Verzia:</strong> 1.0</p>
<p><strong>Vývoj:</strong> Pôvodne bola táto stránka súčasťou dizajnu tejto stránky pod určitou WordPress themou. Po zmene dizajnu a návrate ku klasickej Kubrick WordPress theme som si myslel, že by bola škoda zahodiť tento materiál. Preto som vytvoril samostatnú web šablónu, ktorá zároveň možno pomôže aj záujemcom o Erasmus.</p>
<p><strong>Screenshot:</strong></p>
<p><a href="http://www.codekopf.com/erasmus-web-sablona/erasmus_sablona_cela/" rel="attachment wp-att-75"><img decoding="async" class="size-large wp-image-75 aligncenter" title="erasmus_sablona_cela" src="http://www.codekopf.com/blog/wp-content/uploads/2012/03/erasmus_sablona_cela-310x1024.jpg" alt="" width="310" height="1024" /></a></p>
]]></content:encoded>
					
					<wfw:commentRss>https://codepills.com/erasmus-web-sablona/feed/</wfw:commentRss>
			<slash:comments>0</slash:comments>
		
		
			</item>
		<item>
		<title>List of my past web projects</title>
		<link>https://codepills.com/list-of-my-past-web-projects/</link>
					<comments>https://codepills.com/list-of-my-past-web-projects/#respond</comments>
		
		<dc:creator><![CDATA[Andrej Buday]]></dc:creator>
		<pubDate>Mon, 01 Jan 2007 01:00:05 +0000</pubDate>
				<category><![CDATA[Projects]]></category>
		<category><![CDATA[CSS]]></category>
		<category><![CDATA[directory]]></category>
		<category><![CDATA[FTP]]></category>
		<category><![CDATA[Google Analytics]]></category>
		<category><![CDATA[HML]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[jobportal]]></category>
		<category><![CDATA[PHP]]></category>
		<category><![CDATA[webhosting]]></category>
		<guid isPermaLink="false">http://codekopf.com/?p=684</guid>

					<description><![CDATA[I have a nice history of establishing and developing web based projects. Here is a list of my projects. <a href="https://codepills.com/list-of-my-past-web-projects/">Continue reading <span class="meta-nav">&#8594;</span></a>]]></description>
										<content:encoded><![CDATA[<p>I have a nice history of establishing and developing web based projects. Here is a list of my projects.<br />
<span id="more-684"></span></p>
<ul>
<li>vsetkojenawebe.com &#8211; 2007/2008 &#8211; vsetkojenawebe.com was my first internet project which I executed at public domain.</li>
<li>brigadapraca.sk &#8211; 2010/2011 &#8211; Revolution job-board posting work offers.</li>
<li>howtogetfrom.net &#8211; 2015 &#8211; Travel guides from airports to city centers and vice versa.</li>
<li>dnesletim.com &#8211; 2016 &#8211; Cheap fly tickets hunting blog.</li>
</ul>
<h2>vsetkojenawebe.com</h2>
<p>2007</p>
<p><strong>Description</strong>: vsetkojenawebe.com was my first internet project which I executed at public internet domain. It was year 2007 and I started exploring this amazing new world. The world of the Internet was fortunately different than the one today. The search was much difficult and diverse. It was time before things like Android, Facebook or Google Chrome. Thus I developed my first search directory. At vsetkojenawebe.com I learnt to work with Google Adsense advertisement and basic principles of building website (HML, CSS, JavaScript, PHP, webhosting, FTP, Google Analytics). Unfortunately advertisement income could not cover least expenses for hosting. After the first year I ended the project although the number of active users jumped over 30 per day. I still consider it as great success for that time.</p>
<p><strong>Development</strong>: For project was beautiful the fact that since first version I had a list of cool functions I would like to put in place. (e.g. custom background, RSS news, &#8230;). Many of these function started appearing years later in other services backed by big companies. E.g. iGoogle, Bing backed by Google and Microsoft. Part of the logo I borrowed from the movie the Hitchhiker guide to the galaxy.</p>
<p><strong>Screenshots</strong>:</p>
<p>Version 1.0</p>
<p><a href="http://www.codekopf.com/vsetkojenawebe-com-prvy-internetovy-razcestnik/vsetkojenawebe_com_v1/" rel="attachment wp-att-244"><img decoding="async" class=" size-full aligncenter" src="http://codekopf.com/wp-content/uploads/2012/05/vsetkojenawebe_com_v1.png" width="664" /></a></p>
<p>Version 2.0</p>
<p><a href="http://www.codekopf.com/vsetkojenawebe-com-prvy-internetovy-razcestnik/vsetkojenawebe_com_v2/" rel="attachment wp-att-245"><img decoding="async" class="size-full aligncenter" title="vsetkojenawebe_com_v2" src="http://codekopf.com/wp-content/uploads/2012/05/vsetkojenawebe_com_v2.png" width="664" /></a></p>
<p>&nbsp;</p>
<h2>brigadapraca.sk</h2>
<p><strong>Description: </strong>brigadapraca.sk was unique portal offering full time and part time jobs. This portal was created in September 2010 when the world economic crisis was in its peak in the Slovakia. brigadapraca.sk was jobportal publishing new offers for free. Thanks to its ultra simple form anybody could place a new offer quick and with ease. The portal was aimed for small companies and entrepreneurs.</p>
<p>brigadapraca.sk was from the beginning in aim of big job-offering portals on the market. You see, reasons were simple. They were coming from innovative approach for publishing the work offer:</p>
<ol>
<li><strong>Publishing the job offers was for free for anybody. </strong>In year 2010 peak of recession hit the Slovakia. Companies weren&#8217;t hiring at all, they were saving everywhere.  Big job-offering portals did not realize the fact, that asking money for their services is naive during time of crisis. For low interest biggest job portal started even publishing jobs from governmental unemployment offices.</li>
<li><strong>Unlimited time publishing for job offers. </strong>Big job portals are limiting job-offer publishing date despite the fact employer did not find new employee. Such portals earn money on every single job publishment. Vice-versa companies only lose money till they do not find the right person. This is contra-productive and in time of crisis bold.</li>
<li><strong>Inserting the job listing was possible without registration. </strong>Filling up the form with predefined text took less than a minute. Registration was not necessary since all contact details could be in the job offer.</li>
<li><strong>In the time of crisis portal was focussing on small entrepreneurs. </strong>brigadapraca.sk was focusing on small companies and individuals, not on work agencies. Why? In time of crisis you had higher chance to find job direct than over the job agency. So it made more sense to focus on local offers, than target global market.</li>
</ol>
<p>brigadapraca.sk was not big portal so everything was for free. Only 1 person was necessary for servicing the portal. Amount of the work took only few minutes per day. Portal did not need to generate huge income to cover all expenses.</p>
<p>Trends which started brigadapraca.sk job-offering portal started to appear elsewhere after the crisis.</p>
<p>I have sold brigadapraca.sk in august 2011. New owner changed design and brought many advertisement spaces.</p>
<p><strong>Development</strong>: Idea and inspiration for whole portal and design came from abroad. At first I was intending to name the site &#8220;brigadaprace&#8221; what is is play with words. A name creates image of communism and socialism. This would be also reflected in website style. Visitors would be welcomed with giant red stare and slogan &#8220;work for everybody&#8221;. I put this idea aside while in the end I did not want anything communistic be connecting with this website.</p>
<p>&nbsp;</p>
<h2>howtogetfrom.net</h2>
<p><strong>Description: </strong>howtogetfrom.net was a simple blog created for very itneresting topics. Since I love traveling</p>
<p>&nbsp;</p>
<h2>dnesletim.com</h2>
<p>I developed custom theme and</p>
<p>I learned a lot on this one.</p>
<p>During the one month I was providing every.</p>
<p>I have decided I do not want to continue in blogs focusing on news.</p>
<p>&nbsp;</p>
]]></content:encoded>
					
					<wfw:commentRss>https://codepills.com/list-of-my-past-web-projects/feed/</wfw:commentRss>
			<slash:comments>0</slash:comments>
		
		
			</item>
	</channel>
</rss>
