From 8f2731905212f6e7eb2d9793ad20b8b448c54ccf Mon Sep 17 00:00:00 2001 From: Florian Merz Date: Thu, 11 Feb 2021 14:51:31 +0100 Subject: unslug tr: move --- .../first_steps/a_first_splash/index.html | 600 +++++++++++++++++++++ files/tr/learn/javascript/first_steps/index.html | 61 +++ files/tr/learn/javascript/index.html | 56 ++ .../tr/learn/javascript/objects/basics/index.html | 257 +++++++++ files/tr/learn/javascript/objects/index.html | 53 ++ 5 files changed, 1027 insertions(+) create mode 100644 files/tr/learn/javascript/first_steps/a_first_splash/index.html create mode 100644 files/tr/learn/javascript/first_steps/index.html create mode 100644 files/tr/learn/javascript/index.html create mode 100644 files/tr/learn/javascript/objects/basics/index.html create mode 100644 files/tr/learn/javascript/objects/index.html (limited to 'files/tr/learn/javascript') diff --git a/files/tr/learn/javascript/first_steps/a_first_splash/index.html b/files/tr/learn/javascript/first_steps/a_first_splash/index.html new file mode 100644 index 0000000000..8cab0bbcf2 --- /dev/null +++ b/files/tr/learn/javascript/first_steps/a_first_splash/index.html @@ -0,0 +1,600 @@ +--- +title: Javascript'e ilk giriş +slug: Öğren/JavaScript/First_steps/Javascripte_giris +translation_of: Learn/JavaScript/First_steps/A_first_splash +--- +
{{LearnSidebar}}
+ +
{{PreviousMenuNext("Learn/JavaScript/First_steps/What_is_JavaScript", "Learn/JavaScript/First_steps/What_went_wrong", "Learn/JavaScript/First_steps")}}
+ +

Artık JavaScript teorisi ve onunla neler yapabileceğiniz hakkında bir şeyler öğrendiniz, tamamen pratik bir öğretici aracılığıyla size JavaScript'in temel özellikleri hakkında hızlandırılmış bir kurs vereceğiz. Burada adım adım basit bir "Sayıyı tahmin et" oyunu oluşturacaksınız.

+ + + + + + + + + + + + +
Prerequisites:Basic computer literacy, a basic understanding of HTML and CSS, an understanding of what JavaScript is.
Objective:To have a first bit of experience at writing some JavaScript, and gain at least a basic understanding of what writing a JavaScript program involves.
+ +

You won't be expected to understand all of the code in detail immediately — we just want to introduce you to the high-level concepts for now, and give you an idea of how JavaScript (and other programming languages) work. In subsequent articles, you'll revisit all these features in a lot more detail!

+ +
+

Note: Many of the code features you'll see in JavaScript are the same as in other programming languages — functions, loops, etc. The code syntax looks different, but the concepts are still largely the same.

+
+ +

Thinking like a programmer

+ +

One of the hardest things to learn in programming is not the syntax you need to learn, but how to apply it to solve real world problems. You need to start thinking like a programmer — this generally involves looking at descriptions of what your program needs to do, working out what code features are needed to achieve those things, and how to make them work together.

+ +

This requires a mixture of hard work, experience with the programming syntax, and practice — plus a bit of creativity. The more you code, the better you'll get at it. We can't promise that you'll develop "programmer brain" in five minutes, but we will give you plenty of opportunity to practice thinking like a programmer throughout the course.

+ +

With that in mind, let's look at the example we'll be building up in this article, and review the general process of dissecting it into tangible tasks.

+ +

Example — Guess the number game

+ +

In this article we'll show you how to build up the simple game you can see below:

+ + + +

{{ EmbedLiveSample('Top_hidden_code', '100%', 320, "", "", "hide-codepen-jsfiddle") }}

+ +

Have a go at playing it — familiarize yourself with the game before you move on.

+ +

Let's imagine your boss has given you the following brief for creating this game:

+ +
+

I want you to create a simple guess the number type game. It should choose a random number between 1 and 100, then challenge the player to guess the number in 10 turns. After each turn the player should be told if they are right or wrong, and if they are wrong, whether the guess was too low or too high. It should also tell the player what numbers they previously guessed. The game will end once the player guesses correctly, or once they run out of turns. When the game ends, the player should be given an option to start playing again.

+
+ +

Upon looking at this brief, the first thing we can do is to start breaking it down into simple actionable tasks, in as much of a programmer mindset as possible:

+ +
    +
  1. Generate a random number between 1 and 100.
  2. +
  3. Record the turn number the player is on. Start it on 1.
  4. +
  5. Provide the player with a way to guess what the number is.
  6. +
  7. Once a guess has been submitted first record it somewhere so the user can see their previous guesses.
  8. +
  9. Next, check whether it is the correct number.
  10. +
  11. If it is correct: +
      +
    1. Display congratulations message.
    2. +
    3. Stop the player from being able to enter more guesses (this would mess the game up).
    4. +
    5. Display control allowing the player to restart the game.
    6. +
    +
  12. +
  13. If it is wrong and the player has turns left: +
      +
    1. Tell the player they are wrong.
    2. +
    3. Allow them to enter another guess.
    4. +
    5. Increment the turn number by 1.
    6. +
    +
  14. +
  15. If it is wrong and the player has no turns left: +
      +
    1. Tell the player it is game over.
    2. +
    3. Stop the player from being able to enter more guesses (this would mess the game up).
    4. +
    5. Display control allowing the player to restart the game.
    6. +
    +
  16. +
  17. Once the game restarts, make sure the game logic and UI are completely reset, then go back to step 1.
  18. +
+ +

Let's now move forward, looking at how we can turn these steps into code, building up the example, and exploring JavaScript features as we go.

+ +

Initial setup

+ +

To begin this tutorial, we'd like you to make a local copy of the number-guessing-game-start.html file (see it live here). Open it in both your text editor and your web browser. At the moment you'll see a simple heading, paragraph of instructions and form for entering a guess, but the form won't currently do anything.

+ +

The place where we'll be adding all our code is inside the {{htmlelement("script")}} element at the bottom of the HTML:

+ +
<script>
+
+  // Your JavaScript goes here
+
+</script>
+
+ +

Adding variables to store our data

+ +

Let's get started. First of all, add the following lines inside your {{htmlelement("script")}} element:

+ +
let randomNumber = Math.floor(Math.random() * 100) + 1;
+
+const guesses = document.querySelector('.guesses');
+const lastResult = document.querySelector('.lastResult');
+const lowOrHi = document.querySelector('.lowOrHi');
+
+const guessSubmit = document.querySelector('.guessSubmit');
+const guessField = document.querySelector('.guessField');
+
+let guessCount = 1;
+let resetButton;
+ +

This section of the code sets up the variables and constants we need to store the data our program will use. Variables are basically containers for values (such as numbers, or strings of text). You create a variable with the keyword let (or var) followed by a name for your variable (you'll read more about the difference between the keywords in a future article). Constants are used to store values that are immutable or can't be changed and are created with the keyword const. In this case, we are using constants to store references to parts of our user interface; the text inside some of them might change, but the HTML elements referenced stay the same.

+ +

You can assign a value to your variable or constant with an equals sign (=) followed by the value you want to give it.

+ +

In our example:

+ + + +
+

Note: You'll learn a lot more about variables/constants later on in the course, starting with the next article.

+
+ +

Functions

+ +

Next, add the following below your previous JavaScript:

+ +
function checkGuess() {
+  alert('I am a placeholder');
+}
+ +

Functions are reusable blocks of code that you can write once and run again and again, saving the need to keep repeating code all the time. This is really useful. There are a number of ways to define functions, but for now we'll concentrate on one simple type. Here we have defined a function by using the keyword function, followed by a name, with parentheses put after it. After that we put two curly braces ({ }). Inside the curly braces goes all the code that we want to run whenever we call the function.

+ +

When we want to run the code, we type the name of the function followed by the parentheses.

+ +

Let's try that now. Save your code and refresh the page in your browser. Then go into the developer tools JavaScript console, and enter the following line:

+ +
checkGuess();
+ +

After pressing Return/Enter, you should see an alert come up that says "I am a placeholder"; we have defined a function in our code that creates an alert whenever we call it.

+ +
+

Note: You'll learn a lot more about functions later in the course.

+
+ +

Operators

+ +

JavaScript operators allow us to perform tests, do math, join strings together, and other such things.

+ +

If you haven't already done so, save your code, refresh the page in your browser, and open the developer tools JavaScript console. Then we can try typing in the examples shown below — type in each one from the "Example" columns exactly as shown, pressing Return/Enter after each one, and see what results they return.

+ +

First let's look at arithmetic operators, for example:

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
OperatorNameExample
+Addition6 + 9
-Subtraction20 - 15
*Multiplication3 * 7
/Division10 / 5
+ +

You can also use the + operator to join text strings together (in programming, this is called concatenation). Try entering the following lines, one at a time:

+ +
let name = 'Bingo';
+name;
+let hello = ' says hello!';
+hello;
+let greeting = name + hello;
+greeting;
+ +

There are also some shortcut operators available, called augmented assignment operators. For example, if you want to simply add a new text string to an existing one and return the result, you could do this:

+ +
name += ' says hello!';
+ +

This is equivalent to

+ +
name = name + ' says hello!';
+ +

When we are running true/false tests (for example inside conditionals — see {{anch("Conditionals", "below")}}) we use comparison operators. For example:

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
OperatorNameExample
===Strict equality (is it exactly the same?) +
+5 === 2 + 4 // false
+'Chris' === 'Bob' // false
+5 === 2 + 3 // true
+2 === '2' // false; number versus string
+
+
!==Non-equality (is it not the same?) +
+5 !== 2 + 4 // true
+'Chris' !== 'Bob' // true
+5 !== 2 + 3 // false
+2 !== '2' // true; number versus string
+
+
<Less than +
+6 < 10 // true
+20 < 10 // false
+
>Greater than +
+6 > 10 // false
+20 > 10  // true
+
+ +

Conditionals

+ +

Returning to our checkGuess() function, I think it's safe to say that we don't want it to just spit out a placeholder message. We want it to check whether a player's guess is correct or not, and respond appropriately.

+ +

At this point, replace your current checkGuess() function with this version instead:

+ +
function checkGuess() {
+  let userGuess = Number(guessField.value);
+  if (guessCount === 1) {
+    guesses.textContent = 'Previous guesses: ';
+  }
+  guesses.textContent += userGuess + ' ';
+
+  if (userGuess === randomNumber) {
+    lastResult.textContent = 'Congratulations! You got it right!';
+    lastResult.style.backgroundColor = 'green';
+    lowOrHi.textContent = '';
+    setGameOver();
+  } else if (guessCount === 10) {
+    lastResult.textContent = '!!!GAME OVER!!!';
+    setGameOver();
+  } else {
+    lastResult.textContent = 'Wrong!';
+    lastResult.style.backgroundColor = 'red';
+    if(userGuess < randomNumber) {
+      lowOrHi.textContent = 'Last guess was too low!';
+    } else if(userGuess > randomNumber) {
+      lowOrHi.textContent = 'Last guess was too high!';
+    }
+  }
+
+  guessCount++;
+  guessField.value = '';
+  guessField.focus();
+}
+ +

This is a lot of code — phew! Let's go through each section and explain what it does.

+ + + +

Events

+ +

At this point we have a nicely implemented checkGuess() function, but it won't do anything because we haven't called it yet. Ideally we want to call it when the "Submit guess" button is pressed, and to do this we need to use an event. Events are things that happen in the browser — a button being clicked, a page loading, a video playing, etc. — in response to which we can run blocks of code. The constructs that listen out for the event happening are called event listeners, and the blocks of code that run in response to the event firing are called event handlers.

+ +

Add the following line below your checkGuess() function:

+ +
guessSubmit.addEventListener('click', checkGuess);
+ +

Here we are adding an event listener to the guessSubmit button. This is a method that takes two input values (called arguments) — the type of event we are listening out for (in this case click) as a string, and the code we want to run when the event occurs (in this case the checkGuess() function). Note that we don't need to specify the parentheses when writing it inside {{domxref("EventTarget.addEventListener", "addEventListener()")}}.

+ +

Try saving and refreshing your code now, and your example should work — to a point. The only problem now is that if you guess the correct answer or run out of guesses, the game will break because we've not yet defined the setGameOver() function that is supposed to be run once the game is over. Let's add our missing code now and complete the example functionality.

+ +

Finishing the game functionality

+ +

Let's add that setGameOver() function to the bottom of our code and then walk through it. Add this now, below the rest of your JavaScript:

+ +
function setGameOver() {
+  guessField.disabled = true;
+  guessSubmit.disabled = true;
+  resetButton = document.createElement('button');
+  resetButton.textContent = 'Start new game';
+  document.body.append(resetButton);
+  resetButton.addEventListener('click', resetGame);
+}
+ + + +

Now we need to define this function too! Add the following code, again to the bottom of your JavaScript:

+ +
function resetGame() {
+  guessCount = 1;
+
+  const resetParas = document.querySelectorAll('.resultParas p');
+  for (let i = 0 ; i < resetParas.length ; i++) {
+    resetParas[i].textContent = '';
+  }
+
+  resetButton.parentNode.removeChild(resetButton);
+
+  guessField.disabled = false;
+  guessSubmit.disabled = false;
+  guessField.value = '';
+  guessField.focus();
+
+  lastResult.style.backgroundColor = 'white';
+
+  randomNumber = Math.floor(Math.random() * 100) + 1;
+}
+ +

This rather long block of code completely resets everything to how it was at the start of the game, so the player can have another go. It:

+ + + +

At this point you should have a fully working (simple) game — congratulations!

+ +

All we have left to do now in this article is talk about a few other important code features that you've already seen, although you may have not realized it.

+ +

Loops

+ +

One part of the above code that we need to take a more detailed look at is the for loop. Loops are a very important concept in programming, which allow you to keep running a piece of code over and over again, until a certain condition is met.

+ +

To start with, go to your browser developer tools JavaScript console again, and enter the following:

+ +
for (let i = 1 ; i < 21 ; i++) { console.log(i) }
+ +

What happened? The numbers 1 to 20 were printed out in your console. This is because of the loop. A for loop takes three input values (arguments):

+ +
    +
  1. A starting value: In this case we are starting a count at 1, but this could be any number you like. You could replace the letter i with any name you like too, but i is used as a convention because it's short and easy to remember.
  2. +
  3. A condition: Here we have specified i < 21 — the loop will keep going until i is no longer less than 21. When i reaches 21, the loop will no longer run.
  4. +
  5. An incrementor: We have specified i++, which means "add 1 to i". The loop will run once for every value of i, until i reaches a value of 21 (as discussed above). In this case, we are simply printing the value of i out to the console on every iteration using {{domxref("Console.log", "console.log()")}}.
  6. +
+ +

Now let's look at the loop in our number guessing game — the following can be found inside the resetGame() function:

+ +
const resetParas = document.querySelectorAll('.resultParas p');
+for (let i = 0 ; i < resetParas.length ; i++) {
+  resetParas[i].textContent = '';
+}
+ +

This code creates a variable containing a list of all the paragraphs inside <div class="resultParas"> using the {{domxref("Document.querySelectorAll", "querySelectorAll()")}} method, then it loops through each one, removing the text content of each.

+ +

A small discussion on objects

+ +

Let's add one more final improvement before we get to this discussion. Add the following line just below the let resetButton; line near the top of your JavaScript, then save your file:

+ +
guessField.focus();
+ +

This line uses the {{domxref("HTMLElement.focus", "focus()")}} method to automatically put the text cursor into the {{htmlelement("input")}} text field as soon as the page loads, meaning that the user can start typing their first guess right away, without having to click the form field first. It's only a small addition, but it improves usability — giving the user a good visual clue as to what they've got to do to play the game.

+ +

Let's analyze what's going on here in a bit more detail. In JavaScript, most of the items you will manipulate in your code are objects. An object is a collection of related functionality stored in a single grouping. You can create your own objects, but that is quite advanced and we won't be covering it until much later in the course. For now, we'll just briefly discuss the built-in objects that your browser contains, which allow you to do lots of useful things.

+ +

In this particular case, we first created a guessField constant that stores a reference to the text input form field in our HTML — the following line can be found amongst our declarations near the top of the code:

+ +
const guessField = document.querySelector('.guessField');
+ +

To get this reference, we used the {{domxref("document.querySelector", "querySelector()")}} method of the {{domxref("document")}} object. querySelector() takes one piece of information — a CSS selector that selects the element you want a reference to.

+ +

Because guessField now contains a reference to an {{htmlelement("input")}} element, it now has access to a number of properties (basically variables stored inside objects, some of which can't have their values changed) and methods (basically functions stored inside objects). One method available to input elements is focus(), so we can now use this line to focus the text input:

+ +
guessField.focus();
+ +

Variables that don't contain references to form elements won't have focus() available to them. For example, the guesses constant contains a reference to a {{htmlelement("p")}} element, and the guessCount variable contains a number.

+ +

Playing with browser objects

+ +

Let's play with some browser objects a bit.

+ +
    +
  1. First of all, open up your program in a browser.
  2. +
  3. Next, open your browser developer tools, and make sure the JavaScript console tab is open.
  4. +
  5. Type guessField into the console and the console shows you that the variable contains an {{htmlelement("input")}} element. You'll also notice that the console autocompletes the names of objects that exist inside the execution environment, including your variables!
  6. +
  7. Now type in the following: +
    guessField.value = 'Hello';
    + The value property represents the current value entered into the text field. You'll see that by entering this command, we've changed the text in the text field!
  8. +
  9. Now try typing guesses into the console and pressing return. The console shows you that the variable contains a {{htmlelement("p")}} element.
  10. +
  11. Now try entering the following line: +
    guesses.value
    + The browser returns undefined, because paragraphs don't have the value property.
  12. +
  13. To change the text inside a paragraph, you need the {{domxref("Node.textContent", "textContent")}} property instead. Try this: +
    guesses.textContent = 'Where is my paragraph?';
    +
  14. +
  15. Now for some fun stuff. Try entering the below lines, one by one: +
    guesses.style.backgroundColor = 'yellow';
    +guesses.style.fontSize = '200%';
    +guesses.style.padding = '10px';
    +guesses.style.boxShadow = '3px 3px 6px black';
    + Every element on a page has a style property, which itself contains an object whose properties contain all the inline CSS styles applied to that element. This allows us to dynamically set new CSS styles on elements using JavaScript.
  16. +
+ +

Finished for now...

+ +

So that's it for building the example. You got to the end — well done! Try your final code out, or play with our finished version here. If you can't get the example to work, check it against the source code.

+ +

{{PreviousMenuNext("Learn/JavaScript/First_steps/What_is_JavaScript", "Learn/JavaScript/First_steps/What_went_wrong", "Learn/JavaScript/First_steps")}}

+ +

In this module

+ + diff --git a/files/tr/learn/javascript/first_steps/index.html b/files/tr/learn/javascript/first_steps/index.html new file mode 100644 index 0000000000..cde2569c69 --- /dev/null +++ b/files/tr/learn/javascript/first_steps/index.html @@ -0,0 +1,61 @@ +--- +title: JavaScript First Steps +slug: Öğren/JavaScript/First_steps +tags: + - türkçe +translation_of: Learn/JavaScript/First_steps +--- +
{{LearnSidebar}}
+ +

In our first JavaScript module, we first answer some fundamental questions such as "what is JavaScript?", "what does it look like?", and "what can it do?", before moving on to taking you through your first practical experience of writing JavaScript. After that, we discuss some key building blocks in detail, such as variables, strings, numbers and arrays.

+ +

Prerequisites

+ +

Before starting this module, you don't need any previous JavaScript knowledge, but you should have some familiarity with HTML and CSS. You are advised to work through the following modules before starting on JavaScript:

+ + + +
+

Note: If you are working on a computer/tablet/other device where you don't have the ability to create your own files, you could try out (most of) the code examples in an online coding program such as JSBin or Glitch.

+
+ +

Guides

+ +
+
What is JavaScript?
+
Welcome to the MDN beginner's JavaScript course! In this first article we will look at JavaScript from a high level, answering questions such as "what is it?", and "what is it doing?", and making sure you are comfortable with JavaScript's purpose.
+
A first splash into JavaScript
+
Now you've learned something about the theory of JavaScript, and what you can do with it, we are going to give you a crash course in the basic features of JavaScript via a completely practical tutorial. Here you'll build up a simple "Guess the number" game, step by step.
+
What went wrong? Troubleshooting JavaScript
+
When you built up the "Guess the number" game in the previous article, you may have found that it didn't work. Never fear — this article aims to save you from tearing your hair out over such problems by providing you with some simple tips on how to find and fix errors in JavaScript programs.
+
Storing the information you need — Variables
+
After reading the last couple of articles you should now know what JavaScript is, what it can do for you, how you use it alongside other web technologies, and what its main features look like from a high level. In this article we will get down to the real basics, looking at how to work with the most basic building blocks of JavaScript — Variables.
+
Basic math in JavaScript — numbers and operators
+
At this point in the course we discuss maths in JavaScript — how we can combine operators and other features to successfully manipulate numbers to do our bidding.
+
Handling text — strings in JavaScript
+
Next we'll turn our attention to strings — this is what pieces of text are called in programming. In this article we'll look at all the common things that you really ought to know about strings when learning JavaScript, such as creating strings, escaping quotes in string, and joining them together.
+
Useful string methods
+
Now we've looked at the very basics of strings, let's move up a gear and start thinking about what useful operations we can do on strings with built-in methods, such as finding the length of a text string, joining and splitting strings, substituting one character in a string for another, and more.
+
Arrays
+
In the final article of this module, we'll look at arrays — a neat way of storing a list of data items under a single variable name. Here we look at why this is useful, then explore how to create an array, retrieve, add, and remove items stored in an array, and more besides.
+
+ +

Assessments

+ +

The following assessment will test your understanding of the JavaScript basics covered in the guides above.

+ +
+
Silly story generator
+
In this assessment you'll be tasked with taking some of the knowledge you've picked up in this module's articles and applying it to creating a fun app that generates random silly stories. Have fun!
+
+ +

See also

+ +
+
Learn JavaScript
+
An excellent resource for aspiring web developers — Learn JavaScript in an interactive environment, with short lessons and interactive tests, guided by automated assessment. The first 40 lessons are free, and the complete course is available for a small one-time payment.
+
diff --git a/files/tr/learn/javascript/index.html b/files/tr/learn/javascript/index.html new file mode 100644 index 0000000000..665e95cc85 --- /dev/null +++ b/files/tr/learn/javascript/index.html @@ -0,0 +1,56 @@ +--- +title: JavaScript +slug: Öğren/JavaScript +translation_of: Learn/JavaScript +--- +
{{LearnSidebar}}
+ +

{{Glossary("JavaScript")}} web sayfalarında karmaşık şeyler yapmanıza olanak sağlayan bir programlama dilidir. Ne zaman bir web sayfası ekranınızda sabit durup ve size sabit bilgiler sunmanın fazlasını yaptığında, zaman zaman size içerik güncellemeleri, ya da etkileşilimli haritalar, ya da animasyonlu iki ve üç boyutlu grafikler, ya da kayan video müzik kutuları vs. gösterdiğinde, JavaScript'in muhtemelen bu işe dahil olduğundan emin olabilirsiniz.

+ +

Öğrenme yolu

+ +

JavaScript'i öğrenmek ilgili teknolojiler olan HTML ve CSS'e kıyasla daha zor olabilir. JavaScript'i öğrenmeye başlamadan önce, bu iki teknolojiye ve belki diğer benzer teknolojilere aşina olmanız şiddetle önerilir. Aşağıdaki modüllerle işe başlayabilirsiniz:

+ + + +

Ayrıca diğer programlama dilleriyle önceden edindiğiniz tecrübelerin size yardımı dokunacaktır.

+ +

JavaScript'in temellerine aşina olduktan sonra, daha ileri seviyedeki konuları öğrenmeye başlayabilirsiniz, örneğin:

+ + + +

Modüller

+ +

Bu konu, önerilen çalışma sırasıyla, aşağıdaki modülleri içerir.

+ +
+
JavaScript ilk adımlar
+
İlk JavaScript modülümüzde, sizi ilk JavaScript yazma tecrübesine götürmedeen önce, ilk olarak "JavaScript nedir?", "Neye benzer?", ve "Neler yapabilir?" gibi temel sorulara cevap veriyoruz. Daha sonra, değişkenler, harf dizileri, sayılar ve diziler gibi temel JavaScript özelliklerini detaylı bir şekilde tartışıyoruz.
+
JavaScript yapı taşları
+
Bu modülde, JavaScript'in tüm temel özelliklerini ele almaya devam ederek dikkatimizi koşullu ifadeler, döngüler, işlevler ve olaylar gibi sık karşılaşılan kod bloğu türlerine çeviriyoruz. Bunları zaten kursta gördünüz, ancak yalnızca yüzeysel - burada hepsini açıkça tartışacağız.
+
JavaScript nesnelerine giriş
+
JavaScript'te, dizeler ve diziler gibi temel JavaScript özelliklerinden, JavaScript üzerine oluşturulan tarayıcı API'lerine kadar çoğu şey nesnelerdir. İlgili işlevleri ve değişkenleri verimli paketler halinde kapsüllemek için kendi nesnelerinizi bile oluşturabilirsiniz. Dil bilginizle daha ileri gitmek ve daha verimli kod yazmak istiyorsanız JavaScript'in nesne yönelimli doğasını anlamak önemlidir, bu nedenle size yardımcı olmak için bu modülü sağladık. Burada nesne teorisini ve sözdizimini ayrıntılı olarak öğretiyor, kendi nesnelerinizi nasıl yaratacağınıza bakıyoruz ve JSON verilerinin ne olduğunu ve onunla nasıl çalışılacağını açıklıyoruz.
+
Asenkron JavaScript
+
+

Bu modülde asenkron JavaScript'e, bunun neden önemli olduğuna ve bir sunucudan kaynakların alınması gibi olası engelleme işlemlerini etkili bir şekilde idare etmek için nasıl kullanılabileceğine bir göz atacağız.

+
+
+
İstemci tarafı web API'leri
+
When writing client-side JavaScript for web sites or applications, you won't go very far before you start to use APIs — interfaces for manipulating different aspects of the browser and operating system the site is running on, or even data from other web sites or services. In this module we will explore what APIs are, and how to use some of the most common APIs you'll come across often in your development work.
+
+ +

See also

+ +
+
JavaScript on MDN
+
The main entry point for core JavaScript documentation on MDN — this is where you'll find extensive reference docs on all aspects of the JavaScript language, and some advanced tutorials aimed at experienced JavaScripters.
+
Coding math
+
An excellent series of video tutorials to teach the math you need to understand to be an effective programmer, by Keith Peters.
+
diff --git a/files/tr/learn/javascript/objects/basics/index.html b/files/tr/learn/javascript/objects/basics/index.html new file mode 100644 index 0000000000..bf6e7892e0 --- /dev/null +++ b/files/tr/learn/javascript/objects/basics/index.html @@ -0,0 +1,257 @@ +--- +title: JavaScript object basics +slug: Öğren/JavaScript/Objeler/Basics +translation_of: Learn/JavaScript/Objects/Basics +--- +
{{LearnSidebar}}
+ +
{{NextMenu("Learn/JavaScript/Objects/Object-oriented_JS", "Learn/JavaScript/Objects")}}
+ +

Bu makalede JavaScript'in nesne sözdizim kurallarını inceleyeceğiz ve daha önceden gördüğümüz diğer özellikleri ziyaret edip bu işlevlerin aslında bir nesne olduğunu tekrar edeceğiz.

+ + + + + + + + + + + + +
Gereksinimler:Temel bilgisayar okuryazarlığı, temel HMTL ve CSS bilgisi ve JavaScript temelleri (İlk adımlar ve yapı taşları)
Amaç:Nesneye yönelik programlama ile ilgili temel teoriyi anlamak ve bunun JavaScript'teki ("Javascript'te birçok şey nesnedir") sözü ile ilişkisini keşfetmek ve JavaScript nesneleri ile çalışmak.
+ +

Nesne temelleri

+ +

Bir nesne birtakım ilişkili veri ve/veya fonksiyonalite (genellikle birden fazla değişken ve fonksiyondan oluşur — ve bunlar nesne içerisinde olduklarında nesnenin niteliği (property) ve fonksiyonları adını alırlar.) Bir örnek üzerinde çalışarak nasıl olduklarını anlayalım.

+ +

Başlamak için oojs.html dosyasını kopyalayın. Bu dosya çok küçük bir içeriğe sahip —  bir {{HTMLElement("script")}} elementi içine kaynak kodumuzu yazacağız. Bunu temel nesne sözdizimini anlamak için baz alacağız. Bu örnek üzerinde çalışırken geliştirici JavaScript konsolunu açık ve komutları yazmaya hazır şekilde tutun.

+ +

Nesne oluşturmak, Javascript'te bir çok konuda olduğu gibi bir değişken tanımlamak ile başlar.  Aşağıdaki Javascript kodunu dosyasına kopyalayarak dosyayı kaydedin ve tarayıcınızı yenileyin.

+ +
const person = {};
+ +

Şimdi tarayıcınızın JavaScript konsolunu açın, person yazın, ve Enter/Return tuşlarına basın. Aşağıdaki satırlara benzer açıklamalar ile karşılaşacaksınız. 

+ +
[object Object]
+Object { }
+{ }
+
+ +

Congratulations, you've just created your first object. Job done! But this is an empty object, so we can't really do much with it. Let's update the JavaScript object in our file to look like this:

+ +
const person = {
+  name: ['Bob', 'Smith'],
+  age: 32,
+  gender: 'male',
+  interests: ['music', 'skiing'],
+  bio: function() {
+    alert(this.name[0] + ' ' + this.name[1] + ' is ' + this.age + ' years old. He likes ' + this.interests[0] + ' and ' + this.interests[1] + '.');
+  },
+  greeting: function() {
+    alert('Hi! I\'m ' + this.name[0] + '.');
+  }
+};
+
+ +

After saving and refreshing, try entering some of the following into the JavaScript console on your browser devtools:

+ +
person.name
+person.name[0]
+person.age
+person.interests[1]
+person.bio()
+person.greeting()
+ +

You have now got some data and functionality inside your object, and are now able to access them with some nice simple syntax!

+ +
+

Note: If you are having trouble getting this to work, try comparing your code against our version — see oojs-finished.html (also see it running live). The live version will give you a blank screen, but that's OK — again, open your devtools and try typing in the above commands to see the object structure.

+
+ +

So what is going on here? Well, an object is made up of multiple members, each of which has a name (e.g. name and age above), and a value (e.g. ['Bob', 'Smith'] and 32). Each name/value pair must be separated by a comma, and the name and value in each case are separated by a colon. The syntax always follows this pattern:

+ +
const objectName = {
+  member1Name: member1Value,
+  member2Name: member2Value,
+  member3Name: member3Value
+};
+ +

The value of an object member can be pretty much anything — in our person object we've got a string, a number, two arrays, and two functions. The first four items are data items, and are referred to as the object's properties. The last two items are functions that allow the object to do something with that data, and are referred to as the object's methods.

+ +

An object like this is referred to as an object literal — we've literally written out the object contents as we've come to create it. This is in contrast to objects instantiated from classes, which we'll look at later on.

+ +

It is very common to create an object using an object literal when you want to transfer a series of structured, related data items in some manner, for example sending a request to the server to be put into a database. Sending a single object is much more efficient than sending several items individually, and it is easier to work with than an array, when you want to identify individual items by name.

+ +

Dot notation

+ +

Above, you accessed the object's properties and methods using dot notation. The object name (person) acts as the namespace — it must be entered first to access anything encapsulated inside the object. Next you write a dot, then the item you want to access — this can be the name of a simple property, an item of an array property, or a call to one of the object's methods, for example:

+ +
person.age
+person.interests[1]
+person.bio()
+ +

Sub-namespaces

+ +

It is even possible to make the value of an object member another object. For example, try changing the name member from

+ +
name: ['Bob', 'Smith'],
+ +

to

+ +
name : {
+  first: 'Bob',
+  last: 'Smith'
+},
+ +

Here we are effectively creating a sub-namespace. This sounds complex, but really it's not — to access these items you just need to chain the extra step onto the end with another dot. Try these in the JS console:

+ +
person.name.first
+person.name.last
+ +

Important: At this point you'll also need to go through your method code and change any instances of

+ +
name[0]
+name[1]
+ +

to

+ +
name.first
+name.last
+ +

Otherwise your methods will no longer work.

+ +

Bracket notation

+ +

There is another way to access object properties — using bracket notation. Instead of using these:

+ +
person.age
+person.name.first
+ +

You can use

+ +
person['age']
+person['name']['first']
+ +

This looks very similar to how you access the items in an array, and it is basically the same thing — instead of using an index number to select an item, you are using the name associated with each member's value. It is no wonder that objects are sometimes called associative arrays — they map strings to values in the same way that arrays map numbers to values.

+ +

Setting object members

+ +

So far we've only looked at retrieving (or getting) object members — you can also set (update) the value of object members by simply declaring the member you want to set (using dot or bracket notation), like this:

+ +
person.age = 45;
+person['name']['last'] = 'Cratchit';
+ +

Try entering the above lines, and then getting the members again to see how they've changed, like so:

+ +
person.age
+person['name']['last']
+ +

Setting members doesn't just stop at updating the values of existing properties and methods; you can also create completely new members. Try these in the JS console:

+ +
person['eyes'] = 'hazel';
+person.farewell = function() { alert("Bye everybody!"); }
+ +

You can now test out your new members:

+ +
person['eyes']
+person.farewell()
+ +

One useful aspect of bracket notation is that it can be used to set not only member values dynamically, but member names too. Let's say we wanted users to be able to store custom value types in their people data, by typing the member name and value into two text inputs. We could get those values like this:

+ +
let myDataName = nameInput.value;
+let myDataValue = nameValue.value;
+ +

We could then add this new member name and value to the person object like this:

+ +
person[myDataName] = myDataValue;
+ +

To test this, try adding the following lines into your code, just below the closing curly brace of the person object:

+ +
let myDataName = 'height';
+let myDataValue = '1.75m';
+person[myDataName] = myDataValue;
+ +

Now try saving and refreshing, and entering the following into your text input:

+ +
person.height
+ +

Adding a property to an object using the method above isn't possible with dot notation, which can only accept a literal member name, not a variable value pointing to a name.

+ +

What is "this"?

+ +

You may have noticed something slightly strange in our methods. Look at this one for example:

+ +
greeting: function() {
+  alert('Hi! I\'m ' + this.name.first + '.');
+}
+ +

You are probably wondering what "this" is. The this keyword refers to the current object the code is being written inside — so in this case this is equivalent to person. So why not just write person instead? As you'll see in the Object-oriented JavaScript for beginners article, when we start creating constructors and so on, this is very useful — it always ensures that the correct values are used when a member's context changes (for example, two different person object instances may have different names, but we want to use their own name when saying their greeting).

+ +

Let's illustrate what we mean with a simplified pair of person objects:

+ +
const person1 = {
+  name: 'Chris',
+  greeting: function() {
+    alert('Hi! I\'m ' + this.name + '.');
+  }
+}
+
+const person2 = {
+  name: 'Deepti',
+  greeting: function() {
+    alert('Hi! I\'m ' + this.name + '.');
+  }
+}
+ +

In this case, person1.greeting() outputs "Hi! I'm Chris."; person2.greeting() on the other hand outputs "Hi! I'm Deepti.", even though the method's code is exactly the same in each case. As we said earlier, this is equal to the object the code is inside — this isn't hugely useful when you are writing out object literals by hand, but it really comes into its own when you are dynamically generating objects (for example using constructors). It will all become clearer later on.

+ +

You've been using objects all along

+ +

As you've been going through these examples, you have probably been thinking that the dot notation you've been using is very familiar. That's because you've been using it throughout the course! Every time we've been working through an example that uses a built-in browser API or JavaScript object, we've been using objects, because such features are built using exactly the same kind of object structures that we've been looking at here, albeit more complex ones than in our own basic custom examples.

+ +

So when you used string methods like:

+ +
myString.split(',');
+ +

You were using a method available on an instance of the String class. Every time you create a string in your code, that string is automatically created as an instance of String, and therefore has several common methods and properties available on it.

+ +

When you accessed the document object model using lines like this:

+ +
const myDiv = document.createElement('div');
+const myVideo = document.querySelector('video');
+ +

You were using methods available on an instance of the Document class. For each webpage loaded, an instance of Document is created, called document, which represents the entire page's structure, content, and other features such as its URL. Again, this means that it has several common methods and properties available on it.

+ +

The same is true of pretty much any other built-in object or API you've been using — Array, Math, and so on.

+ +

Note that built in objects and APIs don't always create object instances automatically. As an example, the Notifications API — which allows modern browsers to fire system notifications — requires you to instantiate a new object instance using the constructor for each notification you want to fire. Try entering the following into your JavaScript console:

+ +
const myNotification = new Notification('Hello!');
+ +

Again, we'll look at constructors in a later article.

+ +
+

Note: It is useful to think about the way objects communicate as message passing — when an object needs another object to perform some kind of action often it sends a message to another object via one of its methods, and waits for a response, which we know as a return value.

+
+ +

Summary

+ +

Congratulations, you've reached the end of our first JS objects article — you should now have a good idea of how to work with objects in JavaScript — including creating your own simple objects. You should also appreciate that objects are very useful as structures for storing related data and functionality — if you tried to keep track of all the properties and methods in our person object as separate variables and functions, it would be inefficient and frustrating, and we'd run the risk of clashing with other variables and functions that have the same names. Objects let us keep the information safely locked away in their own package, out of harm's way.

+ +

In the next article we'll start to look at object-oriented programming (OOP) theory, and how such techniques can be used in JavaScript.

+ +

{{NextMenu("Learn/JavaScript/Objects/Object-oriented_JS", "Learn/JavaScript/Objects")}}

+ +

In this module

+ + diff --git a/files/tr/learn/javascript/objects/index.html b/files/tr/learn/javascript/objects/index.html new file mode 100644 index 0000000000..d90a7e81a4 --- /dev/null +++ b/files/tr/learn/javascript/objects/index.html @@ -0,0 +1,53 @@ +--- +title: Javascript Nesnelerine Giriş +slug: Öğren/JavaScript/Objeler +tags: + - Başlangıç + - Değerlendirme + - JavaScript + - Kılavuz + - Makale + - Nesneler + - Objeler + - Rehber + - Yeni başlayan + - öğren +translation_of: Learn/JavaScript/Objects +--- +
{{LearnSidebar}}
+ +

JavaScript'te, JavaScript'in esas özelliklerinden olan karakter katarları ve dizilerden JavaScript'in tepesine inşa edilmiş tarayıcı uygulama geliştirme arayüzlerine ({{Glossary("API", "API")}}) kadar çoğu şey nesnedir. Kendi nesnelerinizi oluşturarak alakalı değişkenleri ve fonksiyonları etkili paketlere kapsülleyebilir ve onlara yararlı veri paketleri gibi davranabilirsiniz. JavaScript'in nesneye dayalı doğası dildeki bilgi birikiminizi arttırmak istiyorsanız önemlidir, bundan dolayı bu modülü size yardım etmek için temin ettik. Burda nesne teorisini ve sözdizimini detaylarıyla öğretiyoruz, sonra kendi nesnelerinizi nasıl oluşturacağınıza bakıyoruz.

+ +

Ön Koşullar

+ +

Bu konuya başlamadan önce HTML ve CSS'ye aşina olmalısınız.  Javascript'e başlamadan önce Introduction to HTML ve Introduction to CSS konularına çalışmanız önerilir.

+ +

Javascript nesnelerine ayrıntılı olarak bakmadan önce Javascript Temelleri hakkında da bilgi sahibi olmalısınız. Bu konudan önce JavaScript first steps ve JavaScript building blocks konularına bakın.

+ +
+

Not: Eğer kendi dosyalarınızı oluşturma özelliği olmayan bir bilgisayar/tablet/diğer cihazda çalışıyorsanız JSBin veya Thimble gibi çoğu kod örneğini deneyebileceğiniz online kodlama programlarını deneyebilirsiniz.

+
+ +

Rehberler

+ +
+
Nesne Temelleri
+
İlk makalede JavaScript nesnelerine, JavaScript nesne sözdizimi temellerine bakacağız ve kursun başlarında baktığımız bazı JavaScript özelliklerine uğraştığınız birçok özelliğin aslında nesne olduğunu tekrar tekrar hatırlatarak göz atacağız.
+
Yeni başlayanlar için nesneye dayalı JavaScript
+
Temeller yolumuzdan çekildiğine göre nesneye dayalı JavaScript'e (OOJS) odaklanabiliriz— bu makale nesneye dayalı programlama teorisinin temelini basitçe tanıtır sonra JavaScript'in yapıcı fonksiyonlarla nesne sınıflarını nasıl taklit ettiğini ve nasıl nesne örnekleri yarattığını araştırır.
+
Nesne prototipleri
+
Prototipler JavaScript nesnelerinin birbirinden özellik kalıtım almasının mekanizmasıdır ve diğer nesneye dayalı programlama dillerinden farklı çalışırlar.Bu makalede bu farkı keşfedeceğiz, prototip zincirlerinin nasıl çalıştığını açıklayacağız ve halihazırda var olan yapıcılara prototip özelliğini kullanarak nasıl metod eklenebileceğine göz atacağız.
+
JavaScript'te kalıtım
+
OOJS'nin neredeyse tüm korkutucu detayları açıklanmış oldu bu makale size "ebeveyn" sınıftan özellikleri kalıtım alan "çocuk" nesne sınıflarını (yapıcılar) nasıl oluşturacağınızı gösterecek.
+
JSON verileri ile çalışmak
+
JavaScript Nesne Notasyonu web sitelerinde veriyi taşımak ve temsil etmek (yani web sayfasının kullanıcıda görüntülenebilmesi için serverdan veri göndermek) için sıkça kullanılan JavaScript nesne sözdizimine dayalı yapısal veriyi temsil etmek için kullanılan metin tabanlı bir standart biçimdir.  Bununla sıkça karşılaşacağınız için bu makalede JavaScript kullanarak JSON ile çalışmanız ve kendi JSON'unuzu yazmanız için gerekli olan JSON ayrıştırması dahil her şeyi size verdik.
+
Nesne inşa etme uygulaması
+
Önceki makalelerde sağlam temeller üzerinden gitmek için gerekli olan JavaScript nesne teorisini ve sözdizim örneklerine baktık. Bu makalede ise eğlenceli ve renkli bir şey ortaya çıkarmanızı sağlayacak özel JavaScript nesnelerini inşa etmenize olanak sağlayacak bir uygulama yapacağız.
+
+ +

Değerlendirmeler

+ +
+
Zıplayan toplar demosuna özellikler ekleme
+
Bu değerlendirmede sizden, önceki makaledeki zıplayan toplar demosunu başlangıç noktası olarak almak ve ona ilginç özellikler eklemeniz bekleniyor.
+
-- cgit v1.2.3-54-g00ecf From b7edf84c423a5f25ebb340fcdab552d5784e2109 Mon Sep 17 00:00:00 2001 From: Florian Merz Date: Thu, 11 Feb 2021 14:51:32 +0100 Subject: unslug tr: modify --- files/tr/_redirects.txt | 160 +- files/tr/_wikihistory.json | 1794 ++++++++++---------- .../cascade_and_inheritance/index.html | 3 +- .../learn/css/first_steps/how_css_works/index.html | 3 +- .../index.html | 6 +- .../index.html | 4 +- .../conflicting/learn/css/first_steps/index.html | 5 +- .../reference/global_objects/boolean/index.html | 3 +- .../reference/global_objects/map/index.html | 3 +- .../web/javascript/reference/operators/index.html | 3 +- .../index.html | 4 +- .../index.html | 4 +- files/tr/games/index.html | 3 +- files/tr/glossary/browser/index.html | 3 +- files/tr/glossary/object/index.html | 3 +- files/tr/glossary/oop/index.html | 3 +- files/tr/glossary/protocol/index.html | 3 +- .../what_are_browser_developer_tools/index.html | 3 +- .../backgrounds_and_borders/index.html | 3 +- .../cascade_and_inheritance/index.html | 3 +- .../css/building_blocks/debugging_css/index.html | 3 +- .../handling_different_text_directions/index.html | 3 +- .../images_media_form_elements/index.html | 5 +- files/tr/learn/css/building_blocks/index.html | 3 +- .../css/building_blocks/organizing/index.html | 3 +- .../css/building_blocks/overflow_tasks/index.html | 3 +- .../building_blocks/overflowing_content/index.html | 3 +- .../building_blocks/sizing_items_in_css/index.html | 3 +- .../css/building_blocks/sizing_tasks/index.html | 3 +- .../css/building_blocks/styling_tables/index.html | 3 +- .../index.html | 3 +- .../css/building_blocks/the_box_model/index.html | 3 +- .../building_blocks/values_and_units/index.html | 3 +- .../css/building_blocks/values_tasks/index.html | 3 +- .../building_blocks/writing_modes_tasks/index.html | 3 +- files/tr/learn/css/css_layout/index.html | 3 +- .../learn/css/css_layout/introduction/index.html | 3 +- .../css/first_steps/getting_started/index.html | 3 +- .../first_steps/how_css_is_structured/index.html | 3 +- .../learn/css/first_steps/how_css_works/index.html | 3 +- files/tr/learn/css/first_steps/index.html | 3 +- .../using_your_new_knowledge/index.html | 3 +- .../learn/css/first_steps/what_is_css/index.html | 3 +- files/tr/learn/css/index.html | 3 +- .../learn/css/styling_text/fundamentals/index.html | 3 +- files/tr/learn/css/styling_text/index.html | 3 +- .../css/styling_text/styling_links/index.html | 3 +- .../css/styling_text/styling_lists/index.html | 3 +- .../styling_text/typesetting_a_homepage/index.html | 3 +- .../tr/learn/css/styling_text/web_fonts/index.html | 3 +- files/tr/learn/front-end_web_developer/index.html | 3 +- .../how_the_web_works/index.html | 3 +- .../learn/getting_started_with_the_web/index.html | 3 +- .../installing_basic_software/index.html | 3 +- .../javascript_basics/index.html | 3 +- .../what_will_your_website_look_like/index.html | 3 +- files/tr/learn/html/index.html | 3 +- .../getting_started/index.html | 3 +- .../tr/learn/html/introduction_to_html/index.html | 3 +- files/tr/learn/index.html | 3 +- .../first_steps/a_first_splash/index.html | 3 +- files/tr/learn/javascript/first_steps/index.html | 3 +- files/tr/learn/javascript/index.html | 3 +- .../tr/learn/javascript/objects/basics/index.html | 3 +- files/tr/learn/javascript/objects/index.html | 3 +- .../server-side/django/authentication/index.html | 3 +- files/tr/learn/server-side/django/index.html | 3 +- .../learn/server-side/django/sessions/index.html | 3 +- .../server-side/django/skeleton_website/index.html | 3 +- files/tr/learn/server-side/index.html | 3 +- files/tr/mdn/about/index.html | 3 +- files/tr/mdn/at_ten/index.html | 3 +- .../howto/create_and_edit_pages/index.html | 3 +- .../tools/kumascript/troubleshooting/index.html | 3 +- files/tr/mdn/yari/index.html | 3 +- files/tr/mozilla/add-ons/index.html | 3 +- .../extending_the_developer_tools/index.html | 3 +- files/tr/mozilla/add-ons/webextensions/index.html | 3 +- .../webextensions/user_interface/index.html | 3 +- .../what_are_webextensions/index.html | 3 +- .../your_first_webextension/index.html | 3 +- .../mozilla/developer_guide/source_code/index.html | 3 +- .../tr/orphaned/fennec_(firefox_mobile)/index.html | 3 +- files/tr/orphaned/mdn/community/index.html | 3 +- .../howto/do_an_editorial_review/index.html | 3 +- files/tr/orphaned/mdn/editor/basics/index.html | 3 +- files/tr/orphaned/mdn/editor/index.html | 3 +- .../tr/orphaned/mdn/kuma/server_charts/index.html | 3 +- .../tr/orphaned/mdn/tools/page_watching/index.html | 3 +- .../getting_started_with_web-ext/index.html | 3 +- files/tr/orphaned/tr/index.html | 3 +- files/tr/orphaned/web/html-alani/index.html | 3 +- .../global_objects/array/prototype/index.html | 3 +- files/tr/tools/browser_console/index.html | 3 +- files/tr/tools/debugger/index.html | 3 +- files/tr/tools/index.html | 3 +- files/tr/tools/page_inspector/index.html | 3 +- files/tr/tools/performance/index.html | 3 +- files/tr/tools/remote_debugging/index.html | 3 +- files/tr/tools/web_console/index.html | 3 +- files/tr/tools/web_console/rich_output/index.html | 3 +- .../tr/tools/web_console/split_console/index.html | 3 +- .../the_command_line_interpreter/index.html | 3 +- files/tr/tools/web_console/ui_tour/index.html | 3 +- files/tr/web/api/canvas_api/index.html | 3 +- files/tr/web/css/class_selectors/index.html | 3 +- .../introduction_to_the_css_box_model/index.html | 3 +- .../using_css_counters/index.html | 3 +- files/tr/web/css/css_selectors/index.html | 3 +- files/tr/web/css/margin/index.html | 3 +- files/tr/web/css/type_selectors/index.html | 3 +- files/tr/web/guide/graphics/index.html | 3 +- files/tr/web/guide/html/html5/index.html | 3 +- files/tr/web/html/element/aside/index.html | 3 +- files/tr/web/html/element/head/index.html | 3 +- files/tr/web/html/element/hgroup/index.html | 3 +- files/tr/web/html/element/index.html | 5 +- files/tr/web/html/element/li/index.html | 3 +- files/tr/web/html/element/link/index.html | 3 +- files/tr/web/http/methods/index.html | 3 +- files/tr/web/http/session/index.html | 3 +- files/tr/web/javascript/data_structures/index.html | 3 +- .../control_flow_and_error_handling/index.html | 3 +- files/tr/web/javascript/guide/functions/index.html | 3 +- .../guide/working_with_objects/index.html | 3 +- .../reference/operators/function_star_/index.html | 3 +- .../web/javascript/reference/operators/index.html | 3 +- .../reference/operators/instanceof/index.html | 3 +- .../reference/operators/super/index.html | 3 +- .../javascript/reference/operators/this/index.html | 3 +- .../reference/operators/typeof/index.html | 3 +- files/tr/web/manifest/index.html | 3 +- files/tr/web/security/index.html | 3 +- files/tr/web/security/mixed_content/index.html | 3 +- .../security/transport_layer_security/index.html | 3 +- .../security/weak_signature_algorithm/index.html | 3 +- 136 files changed, 1316 insertions(+), 1052 deletions(-) (limited to 'files/tr/learn/javascript') diff --git a/files/tr/_redirects.txt b/files/tr/_redirects.txt index 50eedf6296..6409aff89b 100644 --- a/files/tr/_redirects.txt +++ b/files/tr/_redirects.txt @@ -1,33 +1,159 @@ # FROM-URL TO-URL /tr/docs/AJAX /tr/docs/Web/Guide/AJAX +/tr/docs/Araclar /tr/docs/Tools +/tr/docs/Araclar/Browser_Console /tr/docs/Tools/Browser_Console +/tr/docs/Araclar/HataAyıklayıcı /tr/docs/Tools/Debugger +/tr/docs/Araclar/Page_Inspector /tr/docs/Tools/Page_Inspector +/tr/docs/Araclar/Performance /tr/docs/Tools/Performance +/tr/docs/Araclar/Remote_Debugging /tr/docs/Tools/Remote_Debugging +/tr/docs/Araclar/Web_Konsolu /tr/docs/Tools/Web_Console +/tr/docs/Araclar/Web_Konsolu/Bolunmus_Konsol /tr/docs/Tools/Web_Console/Split_console +/tr/docs/Araclar/Web_Konsolu/Komut_Satiri_Tercumani /tr/docs/Tools/Web_Console/The_command_line_interpreter +/tr/docs/Araclar/Web_Konsolu/Web_Konsolunu_Acmak /tr/docs/Tools/Web_Console/UI_Tour +/tr/docs/Araclar/Web_Konsolu/Zengin_Cikti /tr/docs/Tools/Web_Console/Rich_output +/tr/docs/Fennec_(Firefox_Mobile) /tr/docs/orphaned/Fennec_(Firefox_Mobile) +/tr/docs/Glossary/NYP /tr/docs/Glossary/OOP +/tr/docs/Glossary/Nesne /tr/docs/Glossary/Object +/tr/docs/Glossary/Protokol /tr/docs/Glossary/Protocol +/tr/docs/Glossary/Web_Tarayıcısı /tr/docs/Glossary/Browser /tr/docs/HTML /tr/docs/Web/HTML -/tr/docs/HTML/Giriş /tr/docs/Öğren/HTML/Introduction_to_HTML -/tr/docs/HTML/HTML5 /tr/docs/Web/HTML/HTML5 +/tr/docs/HTML/Element /tr/docs/Web/HTML/Element +/tr/docs/HTML/Element/aside /tr/docs/Web/HTML/Element/aside +/tr/docs/HTML/Element/head /tr/docs/Web/HTML/Element/head +/tr/docs/HTML/Element/hgroup /tr/docs/Web/HTML/Element/hgroup +/tr/docs/HTML/Element/li /tr/docs/Web/HTML/Element/li +/tr/docs/HTML/Element/link /tr/docs/Web/HTML/Element/link +/tr/docs/HTML/Giriş /tr/docs/Learn/HTML/Introduction_to_HTML +/tr/docs/HTML/HTML5 /tr/docs/Web/Guide/HTML/HTML5 /tr/docs/JavaScript /tr/docs/Web/JavaScript /tr/docs/JavaScript/A_re-introduction_to_JavaScript /tr/docs/Web/JavaScript/A_re-introduction_to_JavaScript /tr/docs/JavaScript/Guide /tr/docs/Web/JavaScript/Guide -/tr/docs/JavaScript/Guide/Ifadeler /tr/docs/Web/JavaScript/Guide/Ifadeler +/tr/docs/JavaScript/Guide/Ifadeler /tr/docs/Web/JavaScript/Guide/Control_flow_and_error_handling /tr/docs/JavaScript/Reference /tr/docs/Web/JavaScript/Reference /tr/docs/JavaScript/Reference/Global_Objects /tr/docs/Web/JavaScript/Reference/Global_Objects /tr/docs/JavaScript/Reference/Global_Objects/Array /tr/docs/Web/JavaScript/Reference/Global_Objects/Array /tr/docs/JavaScript/Reference/Global_Objects/Array/concat /tr/docs/Web/JavaScript/Reference/Global_Objects/Array/concat -/tr/docs/JavaScript/Reference/Global_Objects/Array/prototype /tr/docs/Web/JavaScript/Reference/Global_Objects/Array/prototype -/tr/docs/Learn/CSS/CSS_layout /tr/docs/Öğren/CSS/CSS_layout -/tr/docs/Learn/HTML /tr/docs/Öğren/HTML -/tr/docs/Learn/HTML/Introduction_to_HTML /tr/docs/Öğren/HTML/Introduction_to_HTML -/tr/docs/Learn/Server-side /tr/docs/Öğren/Server-side -/tr/docs/Learn/Server-side/Django /tr/docs/Öğren/Server-side/Django -/tr/docs/MDN/Contribute/Editor /tr/docs/MDN/Editor -/tr/docs/MDN/Contribute/Editor/Basics /tr/docs/MDN/Editor/Basics +/tr/docs/JavaScript/Reference/Global_Objects/Array/prototype /tr/docs/orphaned/Web/JavaScript/Reference/Global_Objects/Array/prototype +/tr/docs/Learn/Common_questions/Tarayıcı_geliştirici_araçları_araçları_nelerdir /tr/docs/Learn/Common_questions/What_are_browser_developer_tools +/tr/docs/MDN/Community /tr/docs/orphaned/MDN/Community +/tr/docs/MDN/Contribute/Editor /tr/docs/orphaned/MDN/Editor +/tr/docs/MDN/Contribute/Editor/Basics /tr/docs/orphaned/MDN/Editor/Basics +/tr/docs/MDN/Contribute/Howto/Editor_incelemesi_nasil_yapilir /tr/docs/orphaned/MDN/Contribute/Howto/Do_an_editorial_review +/tr/docs/MDN/Contribute/Howto/Sayfalar_nasil_olusturulur_duzenlenir /tr/docs/MDN/Contribute/Howto/Create_and_edit_pages /tr/docs/MDN/Contribute/Tools /tr/docs/MDN/Tools -/tr/docs/MDN/Contribute/Tools/Page_watching /tr/docs/MDN/Tools/Page_watching +/tr/docs/MDN/Contribute/Tools/Page_watching /tr/docs/orphaned/MDN/Tools/Page_watching +/tr/docs/MDN/Editor /tr/docs/orphaned/MDN/Editor +/tr/docs/MDN/Editor/Basics /tr/docs/orphaned/MDN/Editor/Basics /tr/docs/MDN/Feedback /tr/docs/MDN/Contribute/Feedback /tr/docs/MDN/Getting_started /tr/docs/MDN/Contribute/Getting_started +/tr/docs/MDN/Hakkinda /tr/docs/MDN/About +/tr/docs/MDN/Kuma /tr/docs/MDN/Yari +/tr/docs/MDN/Kuma/Server_charts /tr/docs/orphaned/MDN/Kuma/Server_charts +/tr/docs/MDN/Kuma/Troubleshooting_KumaScript_errors /tr/docs/MDN/Tools/KumaScript/Troubleshooting +/tr/docs/MDN/Tools/Page_watching /tr/docs/orphaned/MDN/Tools/Page_watching +/tr/docs/MDN_onunda /tr/docs/MDN/At_ten +/tr/docs/Mozilla/Developer_guide/Kaynak_Kod /tr/docs/Mozilla/Developer_guide/Source_Code +/tr/docs/Mozilla/Eklentiler /tr/docs/Mozilla/Add-ons +/tr/docs/Mozilla/Eklentiler/WebExtensions /tr/docs/Mozilla/Add-ons/WebExtensions +/tr/docs/Mozilla/Eklentiler/WebExtensions/Deneyiminize_web-ext_ile_başlayın /tr/docs/orphaned/Mozilla/Add-ons/WebExtensions/Getting_started_with_web-ext +/tr/docs/Mozilla/Eklentiler/WebExtensions/Eklenti_nedir /tr/docs/Mozilla/Add-ons/WebExtensions/What_are_WebExtensions +/tr/docs/Mozilla/Eklentiler/WebExtensions/Extending_the_developer_tools /tr/docs/Mozilla/Add-ons/WebExtensions/Extending_the_developer_tools +/tr/docs/Mozilla/Eklentiler/WebExtensions/user_interface /tr/docs/Mozilla/Add-ons/WebExtensions/user_interface +/tr/docs/Mozilla/Eklentiler/WebExtensions/İlk_Eklentin /tr/docs/Mozilla/Add-ons/WebExtensions/Your_first_WebExtension +/tr/docs/Oyunlar /tr/docs/Games /tr/docs/Security /en-US/docs/Web/Security +/tr/docs/Security/MixedContent /tr/docs/Web/Security/Mixed_content +/tr/docs/Security/Zatıf_İmza_Algoritması /tr/docs/Web/Security/Weak_Signature_Algorithm +/tr/docs/Tr /tr/docs/orphaned/Tr +/tr/docs/Web/API/Tuval_Arabirimi /tr/docs/Web/API/Canvas_API +/tr/docs/Web/Bildiri /tr/docs/Web/Manifest /tr/docs/Web/CSS/CSS_Background_and_Borders /en-US/docs/Web/CSS/CSS_Backgrounds_and_Borders -/tr/docs/Web/Guide/HTML /tr/docs/Öğren/HTML -/tr/docs/Web/HTML/Element /tr/docs/HTML/Element -/tr/docs/Web/HTML/Element/aside /tr/docs/HTML/Element/aside -/tr/docs/Web/HTML/Element/li /tr/docs/HTML/Element/li -/tr/docs/Web/HTML/Giriş /tr/docs/Öğren/HTML/Introduction_to_HTML +/tr/docs/Web/CSS/Sınıf_seçicileri /tr/docs/Web/CSS/Class_selectors +/tr/docs/Web/CSS/Tip_secicileri /tr/docs/Web/CSS/Type_selectors +/tr/docs/Web/CSS/box_model /tr/docs/Web/CSS/CSS_Box_Model/Introduction_to_the_CSS_box_model +/tr/docs/Web/CSS/marjin /tr/docs/Web/CSS/margin +/tr/docs/Web/Guide/CSS/Getting_started /tr/docs/conflicting/Learn/CSS/First_steps +/tr/docs/Web/Guide/CSS/Getting_started/Cascading_and_inheritance /tr/docs/conflicting/Learn/CSS/Building_blocks/Cascade_and_inheritance +/tr/docs/Web/Guide/CSS/Getting_started/How_CSS_works /tr/docs/conflicting/Learn/CSS/First_steps/How_CSS_works_bb137d8ec11d5e9680f32049e9a3cb26 +/tr/docs/Web/Guide/CSS/Getting_started/Why_use_CSS /tr/docs/conflicting/Learn/CSS/First_steps/How_CSS_works_64ba4331a7a5f4319c6e06b06ccdd521 +/tr/docs/Web/Guide/CSS/Getting_started/css_nedir /tr/docs/conflicting/Learn/CSS/First_steps/How_CSS_works +/tr/docs/Web/Guide/CSS/Sayaçlar /tr/docs/Web/CSS/CSS_Lists_and_Counters/Using_CSS_counters +/tr/docs/Web/Guide/HTML /tr/docs/Learn/HTML +/tr/docs/Web/Guide/Çizgeler /tr/docs/Web/Guide/Graphics +/tr/docs/Web/Güvenlik /tr/docs/Web/Security +/tr/docs/Web/Güvenlik/Transport_Layer_Security /tr/docs/Web/Security/Transport_Layer_Security +/tr/docs/Web/HTML-Alani /tr/docs/orphaned/Web/HTML-Alani +/tr/docs/Web/HTML/Giriş /tr/docs/Learn/HTML/Introduction_to_HTML +/tr/docs/Web/HTML/HTML5 /tr/docs/Web/Guide/HTML/HTML5 +/tr/docs/Web/HTTP/Oturum /tr/docs/Web/HTTP/Session +/tr/docs/Web/HTTP/metotlar /tr/docs/Web/HTTP/Methods +/tr/docs/Web/JavaScript/Guide/Fonksiyonlar /tr/docs/Web/JavaScript/Guide/Functions +/tr/docs/Web/JavaScript/Guide/Ifadeler /tr/docs/Web/JavaScript/Guide/Control_flow_and_error_handling +/tr/docs/Web/JavaScript/Guide/Nesneler_ile_çalışmak /tr/docs/Web/JavaScript/Guide/Working_with_Objects +/tr/docs/Web/JavaScript/Reference/Global_Objects/Array/prototype /tr/docs/orphaned/Web/JavaScript/Reference/Global_Objects/Array/prototype +/tr/docs/Web/JavaScript/Reference/Global_Objects/Boolean/prototype /tr/docs/conflicting/Web/JavaScript/Reference/Global_Objects/Boolean +/tr/docs/Web/JavaScript/Reference/Global_Objects/Map/prototype /tr/docs/conflicting/Web/JavaScript/Reference/Global_Objects/Map +/tr/docs/Web/JavaScript/Reference/Operatörler /tr/docs/Web/JavaScript/Reference/Operators +/tr/docs/Web/JavaScript/Reference/Operatörler/Arithmetic_Operators /tr/docs/conflicting/Web/JavaScript/Reference/Operators +/tr/docs/Web/JavaScript/Reference/Operatörler/Bitwise_Operators /tr/docs/conflicting/Web/JavaScript/Reference/Operators_3b90ea9617c66e4283e266b64ea7ae4a +/tr/docs/Web/JavaScript/Reference/Operatörler/Mantiksal_Operatorler /tr/docs/conflicting/Web/JavaScript/Reference/Operators_603c79383d36dadbe5083df806de5999 +/tr/docs/Web/JavaScript/Reference/Operatörler/function* /tr/docs/Web/JavaScript/Reference/Operators/function* +/tr/docs/Web/JavaScript/Reference/Operatörler/instanceof /tr/docs/Web/JavaScript/Reference/Operators/instanceof +/tr/docs/Web/JavaScript/Reference/Operatörler/super /tr/docs/Web/JavaScript/Reference/Operators/super +/tr/docs/Web/JavaScript/Reference/Operatörler/this /tr/docs/Web/JavaScript/Reference/Operators/this +/tr/docs/Web/JavaScript/Reference/Operatörler/typeof /tr/docs/Web/JavaScript/Reference/Operators/typeof +/tr/docs/Web/JavaScript/Veri_Yapısı /tr/docs/Web/JavaScript/Data_structures /tr/docs/en /en-US/ +/tr/docs/Öğren /tr/docs/Learn +/tr/docs/Öğren/CSS /tr/docs/Learn/CSS +/tr/docs/Öğren/CSS/CSS_layout /tr/docs/Learn/CSS/CSS_layout +/tr/docs/Öğren/CSS/CSS_layout/Introduction /tr/docs/Learn/CSS/CSS_layout/Introduction +/tr/docs/Öğren/CSS/CSS_yapi_taslari /tr/docs/Learn/CSS/Building_blocks +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Backgrounds_and_borders /tr/docs/Learn/CSS/Building_blocks/Backgrounds_and_borders +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Cascade_and_inheritance /tr/docs/Learn/CSS/Building_blocks/Cascade_and_inheritance +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Debugging_CSS /tr/docs/Learn/CSS/Building_blocks/Debugging_CSS +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Handling_different_text_directions /tr/docs/Learn/CSS/Building_blocks/Handling_different_text_directions +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Images_media_form_elements /tr/docs/Learn/CSS/Building_blocks/Images_media_form_elements +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Organizing /tr/docs/Learn/CSS/Building_blocks/Organizing +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Overflow_Tasks /tr/docs/Learn/CSS/Building_blocks/Overflow_Tasks +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Overflowing_content /tr/docs/Learn/CSS/Building_blocks/Overflowing_content +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Selectors /tr/docs/Web/CSS/CSS_Selectors +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Sizing_items_in_CSS /tr/docs/Learn/CSS/Building_blocks/Sizing_items_in_CSS +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Sizing_tasks /tr/docs/Learn/CSS/Building_blocks/Sizing_tasks +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Styling_tables /tr/docs/Learn/CSS/Building_blocks/Styling_tables +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Test_your_skills_backgrounds_and_borders /tr/docs/Learn/CSS/Building_blocks/Test_your_skills_backgrounds_and_borders +/tr/docs/Öğren/CSS/CSS_yapi_taslari/The_box_model /tr/docs/Learn/CSS/Building_blocks/The_box_model +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Values_and_units /tr/docs/Learn/CSS/Building_blocks/Values_and_units +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Values_tasks /tr/docs/Learn/CSS/Building_blocks/Values_tasks +/tr/docs/Öğren/CSS/CSS_yapi_taslari/Writing_Modes_Tasks /tr/docs/Learn/CSS/Building_blocks/Writing_Modes_Tasks +/tr/docs/Öğren/CSS/Ilk_adimlar /tr/docs/Learn/CSS/First_steps +/tr/docs/Öğren/CSS/Ilk_adimlar/CSS_Nedir /tr/docs/Learn/CSS/First_steps/What_is_CSS +/tr/docs/Öğren/CSS/Ilk_adimlar/CSS_nasil_calisir /tr/docs/Learn/CSS/First_steps/How_CSS_works +/tr/docs/Öğren/CSS/Ilk_adimlar/Getting_started /tr/docs/Learn/CSS/First_steps/Getting_started +/tr/docs/Öğren/CSS/Ilk_adimlar/How_CSS_is_structured /tr/docs/Learn/CSS/First_steps/How_CSS_is_structured +/tr/docs/Öğren/CSS/Ilk_adimlar/Ogrendiklerinizi_Uygulayın /tr/docs/Learn/CSS/First_steps/Using_your_new_knowledge +/tr/docs/Öğren/CSS/Styling_text /tr/docs/Learn/CSS/Styling_text +/tr/docs/Öğren/CSS/Styling_text/Fundamentals /tr/docs/Learn/CSS/Styling_text/Fundamentals +/tr/docs/Öğren/CSS/Styling_text/Styling_links /tr/docs/Learn/CSS/Styling_text/Styling_links +/tr/docs/Öğren/CSS/Styling_text/Styling_lists /tr/docs/Learn/CSS/Styling_text/Styling_lists +/tr/docs/Öğren/CSS/Styling_text/Typesetting_a_homepage /tr/docs/Learn/CSS/Styling_text/Typesetting_a_homepage +/tr/docs/Öğren/CSS/Styling_text/Web_fonts /tr/docs/Learn/CSS/Styling_text/Web_fonts +/tr/docs/Öğren/Front-end_web_developer /tr/docs/Learn/Front-end_web_developer +/tr/docs/Öğren/Getting_started_with_the_web /tr/docs/Learn/Getting_started_with_the_web +/tr/docs/Öğren/Getting_started_with_the_web/How_the_Web_works /tr/docs/Learn/Getting_started_with_the_web/How_the_Web_works +/tr/docs/Öğren/Getting_started_with_the_web/Installing_basic_software /tr/docs/Learn/Getting_started_with_the_web/Installing_basic_software +/tr/docs/Öğren/Getting_started_with_the_web/JavaScript_basics /tr/docs/Learn/Getting_started_with_the_web/JavaScript_basics +/tr/docs/Öğren/Getting_started_with_the_web/Web_siteniz_nasil_gorunecek /tr/docs/Learn/Getting_started_with_the_web/What_will_your_website_look_like +/tr/docs/Öğren/HTML /tr/docs/Learn/HTML +/tr/docs/Öğren/HTML/Introduction_to_HTML /tr/docs/Learn/HTML/Introduction_to_HTML +/tr/docs/Öğren/HTML/Introduction_to_HTML/Başlangıç /tr/docs/Learn/HTML/Introduction_to_HTML/Getting_started +/tr/docs/Öğren/JavaScript /tr/docs/Learn/JavaScript +/tr/docs/Öğren/JavaScript/First_steps /tr/docs/Learn/JavaScript/First_steps +/tr/docs/Öğren/JavaScript/First_steps/Javascripte_giris /tr/docs/Learn/JavaScript/First_steps/A_first_splash +/tr/docs/Öğren/JavaScript/Objeler /tr/docs/Learn/JavaScript/Objects +/tr/docs/Öğren/JavaScript/Objeler/Basics /tr/docs/Learn/JavaScript/Objects/Basics +/tr/docs/Öğren/Server-side /tr/docs/Learn/Server-side +/tr/docs/Öğren/Server-side/Django /tr/docs/Learn/Server-side/Django +/tr/docs/Öğren/Server-side/Django/Authentication /tr/docs/Learn/Server-side/Django/Authentication +/tr/docs/Öğren/Server-side/Django/Sessions /tr/docs/Learn/Server-side/Django/Sessions +/tr/docs/Öğren/Server-side/Django/website_iskeleti /tr/docs/Learn/Server-side/Django/skeleton_website diff --git a/files/tr/_wikihistory.json b/files/tr/_wikihistory.json index b9ce5094d2..8932b24ecd 100644 --- a/files/tr/_wikihistory.json +++ b/files/tr/_wikihistory.json @@ -1,91 +1,4 @@ { - "Araclar": { - "modified": "2020-07-16T22:44:18.586Z", - "contributors": [ - "OnKoydenKovuldum", - "2.HALLAÇ", - "SphinxKnight", - "trabjeb", - "fanatikhamsi", - "kizinteki", - "saidkocdemir", - "pasalog", - "eytanfb", - "teoli", - "ibrahimpatir", - "techexpert" - ] - }, - "Araclar/Browser_Console": { - "modified": "2020-07-16T22:35:43.041Z", - "contributors": [ - "muhammet7661" - ] - }, - "Araclar/HataAyıklayıcı": { - "modified": "2020-07-16T22:35:06.533Z", - "contributors": [ - "aslihana", - "olgakaragedik" - ] - }, - "Araclar/Page_Inspector": { - "modified": "2020-10-01T11:04:52.366Z", - "contributors": [ - "SphinxKnight", - "saimairjet", - "ersengultepe" - ] - }, - "Araclar/Performance": { - "modified": "2020-07-16T22:36:13.964Z", - "contributors": [ - "OnKoydenKovuldum" - ] - }, - "Araclar/Remote_Debugging": { - "modified": "2020-07-16T22:35:38.272Z", - "contributors": [ - "volkan" - ] - }, - "Araclar/Web_Konsolu": { - "modified": "2020-07-16T22:34:09.874Z", - "contributors": [ - "OnKoydenKovuldum", - "aslihana" - ] - }, - "Araclar/Web_Konsolu/Bolunmus_Konsol": { - "modified": "2020-07-16T22:34:21.412Z", - "contributors": [ - "aslihana" - ] - }, - "Araclar/Web_Konsolu/Komut_Satiri_Tercumani": { - "modified": "2020-07-16T22:34:19.826Z", - "contributors": [ - "aslihana" - ] - }, - "Araclar/Web_Konsolu/Web_Konsolunu_Acmak": { - "modified": "2020-07-16T22:34:17.660Z", - "contributors": [ - "aslihana" - ] - }, - "Araclar/Web_Konsolu/Zengin_Cikti": { - "modified": "2020-07-16T22:34:20.562Z", - "contributors": [ - "aslihana" - ] - }, - "Fennec_(Firefox_Mobile)": { - "modified": "2019-01-16T14:21:08.717Z", - "contributors": [ - "techexpert" - ] - }, "Games/Tutorials": { "modified": "2020-04-21T07:39:09.746Z" }, @@ -171,24 +84,6 @@ "HuseyinTurkmenoglu" ] }, - "Glossary/NYP": { - "modified": "2019-03-23T22:03:49.060Z", - "contributors": [ - "ahmetkaba" - ] - }, - "Glossary/Nesne": { - "modified": "2019-03-23T22:03:39.438Z", - "contributors": [ - "ahmetkaba" - ] - }, - "Glossary/Protokol": { - "modified": "2019-03-23T22:16:10.981Z", - "contributors": [ - "erolkeskin" - ] - }, "Glossary/Ruby": { "modified": "2019-03-23T22:13:08.594Z", "contributors": [ @@ -207,52 +102,6 @@ "cortix" ] }, - "Glossary/Web_Tarayıcısı": { - "modified": "2019-03-23T22:03:49.780Z", - "contributors": [ - "ahmetkaba" - ] - }, - "HTML/Element": { - "modified": "2019-09-11T09:05:26.771Z", - "contributors": [ - "SphinxKnight", - "SukruKaya", - "teoli" - ] - }, - "HTML/Element/aside": { - "modified": "2019-09-11T09:05:24.353Z", - "contributors": [ - "SphinxKnight", - "Darkefel" - ] - }, - "HTML/Element/head": { - "modified": "2020-10-15T22:33:45.296Z", - "contributors": [ - "Amidfl" - ] - }, - "HTML/Element/hgroup": { - "modified": "2020-10-15T22:24:41.950Z", - "contributors": [ - "cansuari" - ] - }, - "HTML/Element/li": { - "modified": "2019-09-11T09:05:27.766Z", - "contributors": [ - "SphinxKnight", - "pasalog" - ] - }, - "HTML/Element/link": { - "modified": "2020-10-15T22:25:51.442Z", - "contributors": [ - "BaRaN6161_TURK" - ] - }, "Learn/CSS/Building_blocks/Selectors": { "modified": "2020-10-26T18:19:03.862Z", "contributors": [ @@ -299,12 +148,6 @@ "alikcan" ] }, - "Learn/Common_questions/Tarayıcı_geliştirici_araçları_araçları_nelerdir": { - "modified": "2020-07-16T22:35:48.238Z", - "contributors": [ - "hasanunl" - ] - }, "MDN": { "modified": "2020-02-19T17:59:32.812Z", "contributors": [ @@ -319,15 +162,6 @@ "DavidWalsh" ] }, - "MDN/Community": { - "modified": "2019-09-11T08:00:49.740Z", - "contributors": [ - "SphinxKnight", - "BarisAyaz", - "wbamberg", - "anilkay" - ] - }, "MDN/Contribute": { "modified": "2019-03-23T23:12:59.753Z", "contributors": [ @@ -371,285 +205,112 @@ "jswisher" ] }, - "MDN/Contribute/Howto/Editor_incelemesi_nasil_yapilir": { - "modified": "2019-03-23T22:21:04.194Z", + "MDN/Tools": { + "modified": "2020-09-30T16:54:34.254Z", "contributors": [ - "wbamberg", - "fanatikhamsi" + "chrisdavidmills", + "wbamberg" ] }, - "MDN/Contribute/Howto/Sayfalar_nasil_olusturulur_duzenlenir": { - "modified": "2020-10-12T07:44:14.475Z", + "Mozilla": { + "modified": "2019-03-23T23:29:09.914Z", "contributors": [ - "SphinxKnight", - "eminboynukara", - "alpegrup", - "pazzers.info", - "wbamberg", - "erhankilic" + "Sheppy" ] }, - "MDN/Editor": { - "modified": "2020-09-30T15:43:52.765Z", + "Mozilla/Developer_guide": { + "modified": "2020-12-06T09:50:01.354Z", "contributors": [ - "chrisdavidmills", - "zktosu", - "sahinb", + "emrekayik", + "Gabriel-Liu" + ] + }, + "Mozilla/Firefox": { + "modified": "2019-09-10T15:02:32.288Z", + "contributors": [ + "SphinxKnight", "wbamberg", - "Setiawati940@gmail.com" + "tufan2005", + "Relax07" ] }, - "MDN/Editor/Basics": { - "modified": "2020-09-30T15:43:53.305Z", + "Mozilla/Firefox/Releases": { + "modified": "2019-01-16T21:55:24.648Z", "contributors": [ - "chrisdavidmills", "wbamberg", - "balimcann" + "jswisher" ] }, - "MDN/Hakkinda": { - "modified": "2020-05-30T08:22:38.074Z", + "Mozilla/Firefox/Releases/63": { + "modified": "2019-03-18T21:29:50.145Z", "contributors": [ - "Berkay-Cubuk" + "tufan2005" ] }, - "MDN/Kuma": { - "modified": "2019-09-11T08:38:17.228Z", + "Mozilla/Firefox/Releases/81": { + "modified": "2020-09-23T12:11:08.193Z", "contributors": [ - "SphinxKnight", - "wbamberg", - "Sheppy" + "solmusgul17" ] }, - "MDN/Kuma/Server_charts": { - "modified": "2020-04-18T08:41:52.888Z", + "Web": { + "modified": "2019-03-25T10:14:11.494Z", "contributors": [ - "OnKoydenKovuldum" + "hsynozkara", + "alpr", + "barankurtulusozan", + "ozhankurkcu", + "umutozdemir97", + "trabjeb", + "bysalih", + "ercanersoy", + "Criexe", + "askn", + "techexpert", + "ramesaliyev", + "Jan.Ruzicka" ] }, - "MDN/Kuma/Troubleshooting_KumaScript_errors": { - "modified": "2020-04-14T08:39:36.193Z", + "Web/API": { + "modified": "2020-05-24T01:51:32.509Z", "contributors": [ - "SphinxKnight", - "orhanfide1965", + "akarsumelisa17", + "OnKoydenKovuldum", "2.HALLAÇ", - "wbamberg", - "hrctelekom" + "Aqmhkf", + "teoli", + "ozgrozer" ] }, - "MDN/Tools": { - "modified": "2020-09-30T16:54:34.254Z", + "Web/API/BeforeUnloadEvent": { + "modified": "2020-10-15T22:34:36.602Z", "contributors": [ - "chrisdavidmills", - "wbamberg" + "yildirimzia" ] }, - "MDN/Tools/Page_watching": { - "modified": "2020-09-30T16:54:34.403Z", + "Web/API/CSS_Object_Model": { + "modified": "2019-03-18T21:09:36.757Z", "contributors": [ - "chrisdavidmills", - "2.HALLAÇ" + "mesutgolcuk", + "aligoren" ] }, - "MDN_onunda": { - "modified": "2019-03-23T22:48:44.324Z", + "Web/API/CSS_Object_Model/Managing_screen_orientation": { + "modified": "2019-03-18T21:09:36.484Z", "contributors": [ - "hunkarticaret", - "futuredayv" + "mesutgolcuk" ] }, - "Mozilla": { - "modified": "2019-03-23T23:29:09.914Z", + "Web/API/Comment": { + "modified": "2020-10-15T22:34:30.534Z", "contributors": [ - "Sheppy" + "sideshowbarker" ] }, - "Mozilla/Developer_guide": { - "modified": "2020-12-06T09:50:01.354Z", + "Web/API/Comment/Comment": { + "modified": "2020-10-15T22:34:30.407Z", "contributors": [ - "emrekayik", - "Gabriel-Liu" - ] - }, - "Mozilla/Developer_guide/Kaynak_Kod": { - "modified": "2019-08-19T02:39:51.205Z", - "contributors": [ - "SphinxKnight", - "TerabyteForever", - "fatihmeh" - ] - }, - "Mozilla/Eklentiler": { - "modified": "2019-09-09T12:16:58.836Z", - "contributors": [ - "SphinxKnight", - "EfoliTR", - "akyakaapart", - "pasalog", - "Fatih." - ] - }, - "Mozilla/Eklentiler/WebExtensions": { - "modified": "2020-01-23T19:11:12.389Z", - "contributors": [ - "2.HALLAÇ", - "CakirSualp", - "mesutgolcuk", - "tufan2005", - "mutouk" - ] - }, - "Mozilla/Eklentiler/WebExtensions/Deneyiminize_web-ext_ile_başlayın": { - "modified": "2019-04-24T22:00:33.650Z", - "contributors": [ - "Anatolianlion" - ] - }, - "Mozilla/Eklentiler/WebExtensions/Eklenti_nedir": { - "modified": "2019-03-30T13:49:03.756Z", - "contributors": [ - "aceylan" - ] - }, - "Mozilla/Eklentiler/WebExtensions/Extending_the_developer_tools": { - "modified": "2020-04-18T10:07:00.995Z", - "contributors": [ - "OnKoydenKovuldum", - "2.HALLAÇ" - ] - }, - "Mozilla/Eklentiler/WebExtensions/user_interface": { - "modified": "2020-01-23T18:36:25.194Z", - "contributors": [ - "2.HALLAÇ" - ] - }, - "Mozilla/Eklentiler/WebExtensions/İlk_Eklentin": { - "modified": "2019-08-06T17:02:11.469Z", - "contributors": [ - "mesutgolcuk" - ] - }, - "Mozilla/Firefox": { - "modified": "2019-09-10T15:02:32.288Z", - "contributors": [ - "SphinxKnight", - "wbamberg", - "tufan2005", - "Relax07" - ] - }, - "Mozilla/Firefox/Releases": { - "modified": "2019-01-16T21:55:24.648Z", - "contributors": [ - "wbamberg", - "jswisher" - ] - }, - "Mozilla/Firefox/Releases/63": { - "modified": "2019-03-18T21:29:50.145Z", - "contributors": [ - "tufan2005" - ] - }, - "Mozilla/Firefox/Releases/81": { - "modified": "2020-09-23T12:11:08.193Z", - "contributors": [ - "solmusgul17" - ] - }, - "Oyunlar": { - "modified": "2020-09-14T16:54:45.005Z", - "contributors": [ - "serdarates", - "Berkay-Cubuk", - "SphinxKnight", - "KayraG" - ] - }, - "Security/MixedContent": { - "modified": "2019-03-23T23:08:55.937Z", - "contributors": [ - "bulutefe" - ] - }, - "Security/Zatıf_İmza_Algoritması": { - "modified": "2019-03-23T22:55:15.192Z", - "contributors": [ - "efeevren" - ] - }, - "Tr": { - "modified": "2019-03-24T00:18:40.718Z", - "contributors": [ - "Criexe", - "teoli", - "techexpert", - "syssgx", - "flodby", - "ACS", - "mepistol", - "huseyin.ozkilic" - ] - }, - "Web": { - "modified": "2019-03-25T10:14:11.494Z", - "contributors": [ - "hsynozkara", - "alpr", - "barankurtulusozan", - "ozhankurkcu", - "umutozdemir97", - "trabjeb", - "bysalih", - "ercanersoy", - "Criexe", - "askn", - "techexpert", - "ramesaliyev", - "Jan.Ruzicka" - ] - }, - "Web/API": { - "modified": "2020-05-24T01:51:32.509Z", - "contributors": [ - "akarsumelisa17", - "OnKoydenKovuldum", - "2.HALLAÇ", - "Aqmhkf", - "teoli", - "ozgrozer" - ] - }, - "Web/API/BeforeUnloadEvent": { - "modified": "2020-10-15T22:34:36.602Z", - "contributors": [ - "yildirimzia" - ] - }, - "Web/API/CSS_Object_Model": { - "modified": "2019-03-18T21:09:36.757Z", - "contributors": [ - "mesutgolcuk", - "aligoren" - ] - }, - "Web/API/CSS_Object_Model/Managing_screen_orientation": { - "modified": "2019-03-18T21:09:36.484Z", - "contributors": [ - "mesutgolcuk" - ] - }, - "Web/API/Comment": { - "modified": "2020-10-15T22:34:30.534Z", - "contributors": [ - "sideshowbarker" - ] - }, - "Web/API/Comment/Comment": { - "modified": "2020-10-15T22:34:30.407Z", - "contributors": [ - "govher.hesretli" + "govher.hesretli" ] }, "Web/API/Document_Object_Model": { @@ -755,12 +416,6 @@ "ercanersoy" ] }, - "Web/API/Tuval_Arabirimi": { - "modified": "2019-03-18T21:29:21.484Z", - "contributors": [ - "alpr" - ] - }, "Web/API/WebGL_API": { "modified": "2019-03-18T21:39:56.129Z", "contributors": [ @@ -868,12 +523,6 @@ "muhammet7661" ] }, - "Web/Bildiri": { - "modified": "2019-03-18T21:28:25.980Z", - "contributors": [ - "alpr" - ] - }, "Web/CSS": { "modified": "2020-09-30T05:40:46.604Z", "contributors": [ @@ -958,18 +607,6 @@ "emredemircan" ] }, - "Web/CSS/Sınıf_seçicileri": { - "modified": "2019-03-23T22:27:43.298Z", - "contributors": [ - "pasalog" - ] - }, - "Web/CSS/Tip_secicileri": { - "modified": "2019-03-23T22:27:57.140Z", - "contributors": [ - "pasalog" - ] - }, "Web/CSS/background": { "modified": "2020-10-15T22:13:04.157Z", "contributors": [ @@ -982,12 +619,6 @@ "esbabaes" ] }, - "Web/CSS/box_model": { - "modified": "2019-03-23T22:52:01.740Z", - "contributors": [ - "cenkingunlugu" - ] - }, "Web/CSS/display": { "modified": "2019-03-23T22:34:43.185Z", "contributors": [ @@ -1004,12 +635,6 @@ "Berkay-Cubuk" ] }, - "Web/CSS/marjin": { - "modified": "2019-03-23T22:21:17.959Z", - "contributors": [ - "asanhix" - ] - }, "Web/CSS/right": { "modified": "2019-03-23T23:01:45.151Z", "contributors": [ @@ -1046,138 +671,61 @@ "Antivir" ] }, - "Web/Guide/CSS/Getting_started": { - "modified": "2019-03-23T22:51:41.513Z", + "Web/HTML": { + "modified": "2020-11-19T16:28:37.122Z", "contributors": [ - "alpr", - "pasalog", - "wjinca" + "burakizmirli252", + "karagozber", + "kuleliajans", + "SphinxKnight" ] }, - "Web/Guide/CSS/Getting_started/Cascading_and_inheritance": { - "modified": "2019-03-23T22:37:30.876Z", + "Web/HTTP": { + "modified": "2020-06-18T23:31:39.971Z", "contributors": [ - "pasalog" + "yagicandegirmenci", + "berkansasmaz", + "gulan_gurman", + "minel", + "DevTahsin", + "erolkeskin" ] }, - "Web/Guide/CSS/Getting_started/How_CSS_works": { - "modified": "2019-03-23T22:50:19.247Z", + "Web/HTTP/CORS": { + "modified": "2020-10-15T22:13:56.598Z", "contributors": [ - "pasalog" + "AhmetGurbuzz", + "hsntngr2" ] }, - "Web/Guide/CSS/Getting_started/Why_use_CSS": { - "modified": "2019-03-23T22:50:18.048Z", + "Web/HTTP/CORS/Errors": { + "modified": "2019-06-29T01:28:26.978Z" + }, + "Web/HTTP/CORS/Errors/CORSRequestNotHttp": { + "modified": "2019-07-01T04:02:13.353Z", "contributors": [ - "alpr", - "pasalog" + "gulan_gurman" ] }, - "Web/Guide/CSS/Getting_started/css_nedir": { - "modified": "2019-03-23T22:51:37.807Z", + "Web/HTTP/Content_negotiation": { + "modified": "2019-07-09T17:01:03.750Z", "contributors": [ - "alpr", - "koca", - "pasalog" + "gulan_gurman" ] }, - "Web/Guide/CSS/Sayaçlar": { - "modified": "2019-03-23T23:10:52.329Z", + "Web/HTTP/Cookies": { + "modified": "2019-07-09T17:25:58.223Z", "contributors": [ - "Criexe" + "gulan_gurman" ] }, - "Web/Guide/Çizgeler": { - "modified": "2019-03-18T21:29:11.131Z", + "Web/HTTP/Headers": { + "modified": "2020-03-01T16:31:58.724Z", "contributors": [ - "alpr" - ] - }, - "Web/Güvenlik": { - "modified": "2019-09-10T16:49:32.135Z", - "contributors": [ - "SphinxKnight", - "umutozdemir97" - ] - }, - "Web/Güvenlik/Transport_Layer_Security": { - "modified": "2020-02-24T22:08:14.293Z", - "contributors": [ - "2.HALLAÇ" - ] - }, - "Web/HTML": { - "modified": "2020-11-19T16:28:37.122Z", - "contributors": [ - "burakizmirli252", - "karagozber", - "kuleliajans", - "SphinxKnight" - ] - }, - "Web/HTML-Alani": { - "modified": "2019-09-11T09:11:52.447Z", - "contributors": [ - "msyx" - ] - }, - "Web/HTML/HTML5": { - "modified": "2020-02-13T03:31:34.810Z", - "contributors": [ - "SphinxKnight", - "alvidaverona", - "beehappycorp", - "teoli", - "saidkocdemir", - "asliturk" - ] - }, - "Web/HTTP": { - "modified": "2020-06-18T23:31:39.971Z", - "contributors": [ - "yagicandegirmenci", - "berkansasmaz", - "gulan_gurman", - "minel", - "DevTahsin", - "erolkeskin" - ] - }, - "Web/HTTP/CORS": { - "modified": "2020-10-15T22:13:56.598Z", - "contributors": [ - "AhmetGurbuzz", - "hsntngr2" - ] - }, - "Web/HTTP/CORS/Errors": { - "modified": "2019-06-29T01:28:26.978Z" - }, - "Web/HTTP/CORS/Errors/CORSRequestNotHttp": { - "modified": "2019-07-01T04:02:13.353Z", - "contributors": [ - "gulan_gurman" - ] - }, - "Web/HTTP/Content_negotiation": { - "modified": "2019-07-09T17:01:03.750Z", - "contributors": [ - "gulan_gurman" - ] - }, - "Web/HTTP/Cookies": { - "modified": "2019-07-09T17:25:58.223Z", - "contributors": [ - "gulan_gurman" - ] - }, - "Web/HTTP/Headers": { - "modified": "2020-03-01T16:31:58.724Z", - "contributors": [ - "t3k3", - "kyilmaz80", - "gulan_gurman", - "chrisdavidmills" + "t3k3", + "kyilmaz80", + "gulan_gurman", + "chrisdavidmills" ] }, "Web/HTTP/Headers/Accept": { @@ -1205,12 +753,6 @@ "ccsplit" ] }, - "Web/HTTP/Oturum": { - "modified": "2019-07-09T17:13:29.470Z", - "contributors": [ - "gulan_gurman" - ] - }, "Web/HTTP/Status": { "modified": "2020-08-24T18:10:50.113Z", "contributors": [ @@ -1294,12 +836,6 @@ "ahmetcanaydemir" ] }, - "Web/HTTP/metotlar": { - "modified": "2020-10-15T22:20:53.566Z", - "contributors": [ - "gulan_gurman" - ] - }, "Web/JavaScript": { "modified": "2020-03-12T19:38:02.900Z", "contributors": [ @@ -1350,17 +886,6 @@ "volkansag" ] }, - "Web/JavaScript/Guide/Fonksiyonlar": { - "modified": "2020-03-12T19:45:10.072Z", - "contributors": [ - "rizikolik", - "meryem", - "mrtymy", - "HuseyinTurkmenoglu", - "abdullahoguk", - "ozcanzaferayan" - ] - }, "Web/JavaScript/Guide/Grammar_and_types": { "modified": "2020-03-12T19:42:41.805Z", "contributors": [ @@ -1370,17 +895,6 @@ "ozcanzaferayan" ] }, - "Web/JavaScript/Guide/Ifadeler": { - "modified": "2020-04-23T07:57:40.916Z", - "contributors": [ - "ahmetcadirci25", - "kahilkubilay", - "ozcanzaferayan", - "pasalog", - "teoli", - "onderomega" - ] - }, "Web/JavaScript/Guide/Introduction": { "modified": "2020-03-12T19:42:33.808Z", "contributors": [ @@ -1400,12 +914,6 @@ "ozgrozer" ] }, - "Web/JavaScript/Guide/Nesneler_ile_çalışmak": { - "modified": "2020-03-12T19:49:40.091Z", - "contributors": [ - "burak-selvi" - ] - }, "Web/JavaScript/Inheritance_and_the_prototype_chain": { "modified": "2020-05-23T12:12:22.330Z", "contributors": [ @@ -1606,13 +1114,6 @@ "4hmetuyar" ] }, - "Web/JavaScript/Reference/Global_Objects/Array/prototype": { - "modified": "2019-03-23T23:24:51.018Z", - "contributors": [ - "teoli", - "ramesaliyev" - ] - }, "Web/JavaScript/Reference/Global_Objects/Array/push": { "modified": "2019-03-23T22:51:14.006Z", "contributors": [ @@ -1670,12 +1171,6 @@ "tugcebaskan" ] }, - "Web/JavaScript/Reference/Global_Objects/Boolean/prototype": { - "modified": "2020-10-15T22:01:56.391Z", - "contributors": [ - "tugcebaskan" - ] - }, "Web/JavaScript/Reference/Global_Objects/Boolean/toSource": { "modified": "2020-10-15T22:01:54.145Z", "contributors": [ @@ -1716,12 +1211,6 @@ "Hixhi" ] }, - "Web/JavaScript/Reference/Global_Objects/Map/prototype": { - "modified": "2020-10-15T22:14:16.067Z", - "contributors": [ - "meryem" - ] - }, "Web/JavaScript/Reference/Global_Objects/Math": { "modified": "2020-10-15T22:30:17.573Z", "contributors": [ @@ -1852,62 +1341,6 @@ "fexri.babasov97" ] }, - "Web/JavaScript/Reference/Operatörler": { - "modified": "2020-03-12T19:41:24.526Z", - "contributors": [ - "pasalog" - ] - }, - "Web/JavaScript/Reference/Operatörler/Arithmetic_Operators": { - "modified": "2020-10-15T22:26:57.237Z", - "contributors": [ - "RawShed" - ] - }, - "Web/JavaScript/Reference/Operatörler/Bitwise_Operators": { - "modified": "2020-10-15T21:59:09.441Z", - "contributors": [ - "cemtopkaya" - ] - }, - "Web/JavaScript/Reference/Operatörler/Mantiksal_Operatorler": { - "modified": "2020-03-12T19:44:53.162Z", - "contributors": [ - "cicekonur", - "umutozdemir97" - ] - }, - "Web/JavaScript/Reference/Operatörler/function*": { - "modified": "2020-10-15T22:03:10.564Z", - "contributors": [ - "mustafakucuk" - ] - }, - "Web/JavaScript/Reference/Operatörler/instanceof": { - "modified": "2020-03-12T19:46:20.732Z", - "contributors": [ - "cenkce" - ] - }, - "Web/JavaScript/Reference/Operatörler/super": { - "modified": "2020-12-04T05:30:41.838Z", - "contributors": [ - "murerkinn" - ] - }, - "Web/JavaScript/Reference/Operatörler/this": { - "modified": "2020-03-12T19:42:15.605Z", - "contributors": [ - "co3moz" - ] - }, - "Web/JavaScript/Reference/Operatörler/typeof": { - "modified": "2020-10-15T22:03:10.125Z", - "contributors": [ - "obzc", - "mustafakucuk" - ] - }, "Web/JavaScript/Reference/Statements": { "modified": "2020-03-12T19:43:07.364Z", "contributors": [ @@ -1965,13 +1398,6 @@ "OnKoydenKovuldum" ] }, - "Web/JavaScript/Veri_Yapısı": { - "modified": "2020-03-12T19:48:25.304Z", - "contributors": [ - "ondrhn", - "BarisAyaz" - ] - }, "Web/MathML": { "modified": "2020-10-15T22:07:35.147Z", "contributors": [ @@ -2016,387 +1442,961 @@ "hakantr" ] }, - "Öğren": { - "modified": "2020-12-12T02:35:21.255Z", + "Tools/Browser_Console": { + "modified": "2020-07-16T22:35:43.041Z", "contributors": [ - "YasinCelebi", - "samrain", - "hakantr", - "zktosu", - "SphinxKnight", - "erhan35", - "kaan35", - "svarlamov", - "engineermetin", - "nahitheper", - "askn" + "muhammet7661" ] }, - "Öğren/CSS": { - "modified": "2020-10-26T19:42:09.137Z", + "Tools/Debugger": { + "modified": "2020-07-16T22:35:06.533Z", "contributors": [ - "hakantr", - "nihalokur", - "Berkay-Cubuk", - "raufsamestone", - "pasalog" + "aslihana", + "olgakaragedik" ] }, - "Öğren/CSS/CSS_layout": { - "modified": "2020-12-09T18:21:04.587Z", + "Tools": { + "modified": "2020-07-16T22:44:18.586Z", "contributors": [ - "hakantr", - "asimcanuz", - "jwhitlock", - "chrisdavidmills" + "OnKoydenKovuldum", + "2.HALLAÇ", + "SphinxKnight", + "trabjeb", + "fanatikhamsi", + "kizinteki", + "saidkocdemir", + "pasalog", + "eytanfb", + "teoli", + "ibrahimpatir", + "techexpert" ] }, - "Öğren/CSS/CSS_layout/Introduction": { - "modified": "2020-12-09T18:22:37.810Z", + "Tools/Page_Inspector": { + "modified": "2020-10-01T11:04:52.366Z", "contributors": [ - "hakantr" + "SphinxKnight", + "saimairjet", + "ersengultepe" ] }, - "Öğren/CSS/CSS_yapi_taslari": { - "modified": "2020-10-26T20:12:35.187Z", + "Tools/Performance": { + "modified": "2020-07-16T22:36:13.964Z", "contributors": [ - "hakantr" + "OnKoydenKovuldum" ] }, - "Öğren/CSS/CSS_yapi_taslari/Backgrounds_and_borders": { - "modified": "2020-10-27T11:49:58.173Z", + "Tools/Remote_Debugging": { + "modified": "2020-07-16T22:35:38.272Z", "contributors": [ - "hakantr" + "volkan" ] }, - "Öğren/CSS/CSS_yapi_taslari/Cascade_and_inheritance": { - "modified": "2020-10-26T19:35:27.880Z", + "Tools/Web_Console/Split_console": { + "modified": "2020-07-16T22:34:21.412Z", "contributors": [ - "hakantr" + "aslihana" ] }, - "Öğren/CSS/CSS_yapi_taslari/Debugging_CSS": { - "modified": "2020-11-03T17:03:37.975Z", + "Tools/Web_Console": { + "modified": "2020-07-16T22:34:09.874Z", "contributors": [ - "hakantr" + "OnKoydenKovuldum", + "aslihana" ] }, - "Öğren/CSS/CSS_yapi_taslari/Handling_different_text_directions": { - "modified": "2020-10-28T17:43:47.416Z", + "Tools/Web_Console/The_command_line_interpreter": { + "modified": "2020-07-16T22:34:19.826Z", "contributors": [ - "hakantr" + "aslihana" ] }, - "Öğren/CSS/CSS_yapi_taslari/Images_media_form_elements": { - "modified": "2020-10-31T13:09:45.996Z", + "Tools/Web_Console/UI_Tour": { + "modified": "2020-07-16T22:34:17.660Z", "contributors": [ - "hakantr" + "aslihana" ] }, - "Öğren/CSS/CSS_yapi_taslari/Organizing": { - "modified": "2020-11-09T10:35:55.540Z", + "Tools/Web_Console/Rich_output": { + "modified": "2020-07-16T22:34:20.562Z", "contributors": [ - "hakantr" + "aslihana" ] }, - "Öğren/CSS/CSS_yapi_taslari/Overflow_Tasks": { - "modified": "2020-10-19T10:29:26.404Z", + "orphaned/Fennec_(Firefox_Mobile)": { + "modified": "2019-01-16T14:21:08.717Z", "contributors": [ - "hakantr" + "techexpert" ] }, - "Öğren/CSS/CSS_yapi_taslari/Overflowing_content": { - "modified": "2020-10-31T10:11:56.872Z", + "Glossary/Object": { + "modified": "2019-03-23T22:03:39.438Z", "contributors": [ - "hakantr" + "ahmetkaba" ] }, - "Öğren/CSS/CSS_yapi_taslari/Selectors": { - "modified": "2020-10-08T05:31:05.552Z", + "Glossary/OOP": { + "modified": "2019-03-23T22:03:49.060Z", "contributors": [ - "hakantr" + "ahmetkaba" ] }, - "Öğren/CSS/CSS_yapi_taslari/Sizing_items_in_CSS": { - "modified": "2020-10-31T10:34:38.784Z", + "Glossary/Protocol": { + "modified": "2019-03-23T22:16:10.981Z", "contributors": [ - "hakantr" + "erolkeskin" ] }, - "Öğren/CSS/CSS_yapi_taslari/Sizing_tasks": { - "modified": "2020-10-22T09:21:20.303Z", + "Glossary/Browser": { + "modified": "2019-03-23T22:03:49.780Z", "contributors": [ - "hakantr" + "ahmetkaba" ] }, - "Öğren/CSS/CSS_yapi_taslari/Styling_tables": { - "modified": "2020-10-31T20:13:56.766Z", + "Web/HTML/Element/aside": { + "modified": "2019-09-11T09:05:24.353Z", "contributors": [ - "hakantr" + "SphinxKnight", + "Darkefel" ] }, - "Öğren/CSS/CSS_yapi_taslari/Test_your_skills_backgrounds_and_borders": { - "modified": "2020-10-17T21:28:55.599Z", + "Web/HTML/Element/head": { + "modified": "2020-10-15T22:33:45.296Z", "contributors": [ - "hakantr" + "Amidfl" ] }, - "Öğren/CSS/CSS_yapi_taslari/The_box_model": { - "modified": "2020-10-26T19:26:58.833Z", + "Web/HTML/Element/hgroup": { + "modified": "2020-10-15T22:24:41.950Z", "contributors": [ - "hakantr" + "cansuari" ] }, - "Öğren/CSS/CSS_yapi_taslari/Values_and_units": { - "modified": "2020-10-28T18:44:28.360Z", + "Web/HTML/Element": { + "modified": "2019-09-11T09:05:26.771Z", "contributors": [ - "hakantr" + "SphinxKnight", + "SukruKaya", + "teoli" ] }, - "Öğren/CSS/CSS_yapi_taslari/Values_tasks": { - "modified": "2020-10-20T12:06:48.608Z", + "Web/HTML/Element/li": { + "modified": "2019-09-11T09:05:27.766Z", "contributors": [ - "hakantr" + "SphinxKnight", + "pasalog" ] }, - "Öğren/CSS/CSS_yapi_taslari/Writing_Modes_Tasks": { - "modified": "2020-10-19T06:58:07.202Z", + "Web/HTML/Element/link": { + "modified": "2020-10-15T22:25:51.442Z", "contributors": [ - "hakantr" + "BaRaN6161_TURK" ] }, - "Öğren/CSS/Ilk_adimlar": { - "modified": "2020-10-26T19:46:11.774Z", + "Learn/Common_questions/What_are_browser_developer_tools": { + "modified": "2020-07-16T22:35:48.238Z", "contributors": [ - "hakantr", - "eraticoye", - "nihalokur", - "Berkay-Cubuk" + "hasanunl" ] }, - "Öğren/CSS/Ilk_adimlar/CSS_Nedir": { - "modified": "2020-10-26T19:52:10.775Z", + "MDN/At_ten": { + "modified": "2019-03-23T22:48:44.324Z", "contributors": [ - "hakantr" + "hunkarticaret", + "futuredayv" ] }, - "Öğren/CSS/Ilk_adimlar/CSS_nasil_calisir": { - "modified": "2020-10-26T20:08:14.999Z", + "orphaned/MDN/Community": { + "modified": "2019-09-11T08:00:49.740Z", "contributors": [ - "hakantr" + "SphinxKnight", + "BarisAyaz", + "wbamberg", + "anilkay" ] }, - "Öğren/CSS/Ilk_adimlar/Getting_started": { - "modified": "2020-10-26T19:58:54.757Z", + "orphaned/MDN/Contribute/Howto/Do_an_editorial_review": { + "modified": "2019-03-23T22:21:04.194Z", "contributors": [ - "hakantr" + "wbamberg", + "fanatikhamsi" ] }, - "Öğren/CSS/Ilk_adimlar/How_CSS_is_structured": { - "modified": "2020-10-26T20:05:43.727Z", + "MDN/Contribute/Howto/Create_and_edit_pages": { + "modified": "2020-10-12T07:44:14.475Z", "contributors": [ - "hakantr" + "SphinxKnight", + "eminboynukara", + "alpegrup", + "pazzers.info", + "wbamberg", + "erhankilic" ] }, - "Öğren/CSS/Ilk_adimlar/Ogrendiklerinizi_Uygulayın": { - "modified": "2020-10-26T20:11:11.186Z", + "orphaned/MDN/Editor/Basics": { + "modified": "2020-09-30T15:43:53.305Z", "contributors": [ - "hakantr" + "chrisdavidmills", + "wbamberg", + "balimcann" ] }, - "Öğren/CSS/Styling_text": { - "modified": "2020-11-09T11:28:43.066Z", + "orphaned/MDN/Editor": { + "modified": "2020-09-30T15:43:52.765Z", "contributors": [ - "hakantr", - "burakbolek", - "nihalokur" + "chrisdavidmills", + "zktosu", + "sahinb", + "wbamberg", + "Setiawati940@gmail.com" ] }, - "Öğren/CSS/Styling_text/Fundamentals": { - "modified": "2020-11-13T11:56:27.954Z", + "MDN/About": { + "modified": "2020-05-30T08:22:38.074Z", "contributors": [ - "hakantr" + "Berkay-Cubuk" ] }, - "Öğren/CSS/Styling_text/Styling_links": { - "modified": "2020-12-06T15:35:17.350Z", + "MDN/Yari": { + "modified": "2019-09-11T08:38:17.228Z", "contributors": [ - "hakantr" + "SphinxKnight", + "wbamberg", + "Sheppy" ] }, - "Öğren/CSS/Styling_text/Styling_lists": { - "modified": "2020-12-04T11:14:25.666Z", + "orphaned/MDN/Kuma/Server_charts": { + "modified": "2020-04-18T08:41:52.888Z", "contributors": [ - "hakantr" + "OnKoydenKovuldum" ] }, - "Öğren/CSS/Styling_text/Typesetting_a_homepage": { - "modified": "2020-12-06T22:45:30.011Z", + "MDN/Tools/KumaScript/Troubleshooting": { + "modified": "2020-04-14T08:39:36.193Z", "contributors": [ - "hakantr" + "SphinxKnight", + "orhanfide1965", + "2.HALLAÇ", + "wbamberg", + "hrctelekom" ] }, - "Öğren/CSS/Styling_text/Web_fonts": { - "modified": "2020-12-06T22:12:35.170Z", + "orphaned/MDN/Tools/Page_watching": { + "modified": "2020-09-30T16:54:34.403Z", "contributors": [ - "hakantr" + "chrisdavidmills", + "2.HALLAÇ" ] }, - "Öğren/Front-end_web_developer": { - "modified": "2020-10-06T04:07:52.094Z", + "Mozilla/Developer_guide/Source_Code": { + "modified": "2019-08-19T02:39:51.205Z", "contributors": [ - "Ebu", - "selinwin7" + "SphinxKnight", + "TerabyteForever", + "fatihmeh" ] }, - "Öğren/Getting_started_with_the_web": { - "modified": "2020-11-02T12:10:16.997Z", + "Mozilla/Add-ons": { + "modified": "2019-09-09T12:16:58.836Z", "contributors": [ - "GreXLin85", - "selinwin7", "SphinxKnight", - "ozcanuner14", - "2.HALLAÇ", - "dotRaikkonen", - "kaan35", - "halimtekin", - "yilmazozisik", - "askn" + "EfoliTR", + "akyakaapart", + "pasalog", + "Fatih." ] }, - "Öğren/Getting_started_with_the_web/How_the_Web_works": { - "modified": "2020-10-24T10:59:07.347Z", + "orphaned/Mozilla/Add-ons/WebExtensions/Getting_started_with_web-ext": { + "modified": "2019-04-24T22:00:33.650Z", "contributors": [ - "NightCode-luna" + "Anatolianlion" ] }, - "Öğren/Getting_started_with_the_web/Installing_basic_software": { - "modified": "2020-07-16T22:34:11.586Z", + "Mozilla/Add-ons/WebExtensions/What_are_WebExtensions": { + "modified": "2019-03-30T13:49:03.756Z", "contributors": [ - "erhan35", - "HuseyinTurkmenoglu", - "aykutkugu" + "aceylan" ] }, - "Öğren/Getting_started_with_the_web/JavaScript_basics": { - "modified": "2020-12-03T08:49:49.563Z", + "Mozilla/Add-ons/WebExtensions/Extending_the_developer_tools": { + "modified": "2020-04-18T10:07:00.995Z", "contributors": [ - "murerkinn", - "miracyb", - "SphinxKnight", - "umutbozdag", - "alper.pekdemir", - "omrtrk", - "gkhno", - "maydemirx", - "yigitozdemir" + "OnKoydenKovuldum", + "2.HALLAÇ" ] }, - "Öğren/Getting_started_with_the_web/Web_siteniz_nasil_gorunecek": { - "modified": "2020-10-14T06:26:48.114Z", + "Mozilla/Add-ons/WebExtensions/Your_first_WebExtension": { + "modified": "2019-08-06T17:02:11.469Z", "contributors": [ - "AinTisar", - "receponalan" + "mesutgolcuk" ] }, - "Öğren/HTML": { - "modified": "2020-08-07T19:15:04.875Z", + "Mozilla/Add-ons/WebExtensions": { + "modified": "2020-01-23T19:11:12.389Z", "contributors": [ - "bambinam", - "msyx", + "2.HALLAÇ", + "CakirSualp", + "mesutgolcuk", "tufan2005", - "jwhitlock", - "chrisdavidmills" + "mutouk" ] }, - "Öğren/HTML/Introduction_to_HTML": { - "modified": "2020-11-19T16:35:06.616Z", + "Mozilla/Add-ons/WebExtensions/user_interface": { + "modified": "2020-01-23T18:36:25.194Z", "contributors": [ - "burakizmirli252", - "eraticoye", - "erhan35", - "kaan35", - "ebubekirtrkr", - "jwhitlock", - "irfanevrens" + "2.HALLAÇ" ] }, - "Öğren/HTML/Introduction_to_HTML/Başlangıç": { - "modified": "2020-07-16T22:23:08.179Z", + "Learn/CSS/CSS_layout": { + "modified": "2020-12-09T18:21:04.587Z", "contributors": [ - "peterbe", - "tudecem" + "hakantr", + "asimcanuz", + "jwhitlock", + "chrisdavidmills" ] }, - "Öğren/JavaScript": { - "modified": "2020-12-13T14:50:04.266Z", + "Learn/CSS/CSS_layout/Introduction": { + "modified": "2020-12-09T18:22:37.810Z", "contributors": [ - "gullusadik", - "pasalog", - "enesanbar" + "hakantr" ] }, - "Öğren/JavaScript/First_steps": { - "modified": "2020-07-16T22:29:55.523Z", + "Learn/CSS/Building_blocks/Backgrounds_and_borders": { + "modified": "2020-10-27T11:49:58.173Z", "contributors": [ - "busines.plan.16" + "hakantr" ] }, - "Öğren/JavaScript/First_steps/Javascripte_giris": { - "modified": "2020-08-31T10:02:41.505Z", + "Learn/CSS/Building_blocks/Cascade_and_inheritance": { + "modified": "2020-10-26T19:35:27.880Z", "contributors": [ - "aydgn" + "hakantr" ] }, - "Öğren/JavaScript/Objeler": { - "modified": "2020-07-16T22:31:53.513Z", + "Learn/CSS/Building_blocks/Debugging_CSS": { + "modified": "2020-11-03T17:03:37.975Z", "contributors": [ - "berabulut", - "dotRaikkonen", - "truefalseman", - "volkansag", - "enginkartal" + "hakantr" ] }, - "Öğren/JavaScript/Objeler/Basics": { - "modified": "2020-07-16T22:32:02.139Z", + "Learn/CSS/Building_blocks/Handling_different_text_directions": { + "modified": "2020-10-28T17:43:47.416Z", "contributors": [ - "ArinSoftware", - "AtlasCan" + "hakantr" ] }, - "Öğren/Server-side": { - "modified": "2020-07-16T22:36:02.262Z", + "Learn/CSS/Building_blocks/Images_media_form_elements": { + "modified": "2020-10-31T13:09:45.996Z", "contributors": [ - "jwhitlock", - "chrisdavidmills" + "hakantr" ] }, - "Öğren/Server-side/Django": { - "modified": "2020-07-16T22:36:35.695Z", + "Learn/CSS/Building_blocks": { + "modified": "2020-10-26T20:12:35.187Z", "contributors": [ - "jwhitlock", - "chrisdavidmills" + "hakantr" ] }, - "Öğren/Server-side/Django/Authentication": { - "modified": "2020-07-16T22:37:24.649Z", + "Learn/CSS/Building_blocks/Organizing": { + "modified": "2020-11-09T10:35:55.540Z", "contributors": [ - "safaariman", - "icanates" + "hakantr" ] }, - "Öğren/Server-side/Django/Sessions": { - "modified": "2020-07-16T22:37:28.248Z", + "Learn/CSS/Building_blocks/Overflow_Tasks": { + "modified": "2020-10-19T10:29:26.404Z", "contributors": [ - "ozgurturkiye", - "icanates" + "hakantr" ] }, - "Öğren/Server-side/Django/website_iskeleti": { - "modified": "2020-07-16T22:36:54.756Z", + "Learn/CSS/Building_blocks/Overflowing_content": { + "modified": "2020-10-31T10:11:56.872Z", + "contributors": [ + "hakantr" + ] + }, + "Web/CSS/CSS_Selectors": { + "modified": "2020-10-08T05:31:05.552Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Sizing_items_in_CSS": { + "modified": "2020-10-31T10:34:38.784Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Sizing_tasks": { + "modified": "2020-10-22T09:21:20.303Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Styling_tables": { + "modified": "2020-10-31T20:13:56.766Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Test_your_skills_backgrounds_and_borders": { + "modified": "2020-10-17T21:28:55.599Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/The_box_model": { + "modified": "2020-10-26T19:26:58.833Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Values_and_units": { + "modified": "2020-10-28T18:44:28.360Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Values_tasks": { + "modified": "2020-10-20T12:06:48.608Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Building_blocks/Writing_Modes_Tasks": { + "modified": "2020-10-19T06:58:07.202Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/First_steps/How_CSS_works": { + "modified": "2020-10-26T20:08:14.999Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/First_steps/What_is_CSS": { + "modified": "2020-10-26T19:52:10.775Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/First_steps/Getting_started": { + "modified": "2020-10-26T19:58:54.757Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/First_steps/How_CSS_is_structured": { + "modified": "2020-10-26T20:05:43.727Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/First_steps": { + "modified": "2020-10-26T19:46:11.774Z", + "contributors": [ + "hakantr", + "eraticoye", + "nihalokur", + "Berkay-Cubuk" + ] + }, + "Learn/CSS/First_steps/Using_your_new_knowledge": { + "modified": "2020-10-26T20:11:11.186Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS": { + "modified": "2020-10-26T19:42:09.137Z", + "contributors": [ + "hakantr", + "nihalokur", + "Berkay-Cubuk", + "raufsamestone", + "pasalog" + ] + }, + "Learn/CSS/Styling_text/Fundamentals": { + "modified": "2020-11-13T11:56:27.954Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Styling_text": { + "modified": "2020-11-09T11:28:43.066Z", + "contributors": [ + "hakantr", + "burakbolek", + "nihalokur" + ] + }, + "Learn/CSS/Styling_text/Styling_links": { + "modified": "2020-12-06T15:35:17.350Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Styling_text/Styling_lists": { + "modified": "2020-12-04T11:14:25.666Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Styling_text/Typesetting_a_homepage": { + "modified": "2020-12-06T22:45:30.011Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/CSS/Styling_text/Web_fonts": { + "modified": "2020-12-06T22:12:35.170Z", + "contributors": [ + "hakantr" + ] + }, + "Learn/Front-end_web_developer": { + "modified": "2020-10-06T04:07:52.094Z", + "contributors": [ + "Ebu", + "selinwin7" + ] + }, + "Learn/Getting_started_with_the_web/How_the_Web_works": { + "modified": "2020-10-24T10:59:07.347Z", + "contributors": [ + "NightCode-luna" + ] + }, + "Learn/Getting_started_with_the_web": { + "modified": "2020-11-02T12:10:16.997Z", + "contributors": [ + "GreXLin85", + "selinwin7", + "SphinxKnight", + "ozcanuner14", + "2.HALLAÇ", + "dotRaikkonen", + "kaan35", + "halimtekin", + "yilmazozisik", + "askn" + ] + }, + "Learn/Getting_started_with_the_web/Installing_basic_software": { + "modified": "2020-07-16T22:34:11.586Z", + "contributors": [ + "erhan35", + "HuseyinTurkmenoglu", + "aykutkugu" + ] + }, + "Learn/Getting_started_with_the_web/JavaScript_basics": { + "modified": "2020-12-03T08:49:49.563Z", + "contributors": [ + "murerkinn", + "miracyb", + "SphinxKnight", + "umutbozdag", + "alper.pekdemir", + "omrtrk", + "gkhno", + "maydemirx", + "yigitozdemir" + ] + }, + "Learn/Getting_started_with_the_web/What_will_your_website_look_like": { + "modified": "2020-10-14T06:26:48.114Z", + "contributors": [ + "AinTisar", + "receponalan" + ] + }, + "Learn/HTML": { + "modified": "2020-08-07T19:15:04.875Z", + "contributors": [ + "bambinam", + "msyx", + "tufan2005", + "jwhitlock", + "chrisdavidmills" + ] + }, + "Learn/HTML/Introduction_to_HTML/Getting_started": { + "modified": "2020-07-16T22:23:08.179Z", + "contributors": [ + "peterbe", + "tudecem" + ] + }, + "Learn/HTML/Introduction_to_HTML": { + "modified": "2020-11-19T16:35:06.616Z", + "contributors": [ + "burakizmirli252", + "eraticoye", + "erhan35", + "kaan35", + "ebubekirtrkr", + "jwhitlock", + "irfanevrens" + ] + }, + "Learn": { + "modified": "2020-12-12T02:35:21.255Z", + "contributors": [ + "YasinCelebi", + "samrain", + "hakantr", + "zktosu", + "SphinxKnight", + "erhan35", + "kaan35", + "svarlamov", + "engineermetin", + "nahitheper", + "askn" + ] + }, + "Learn/JavaScript/First_steps": { + "modified": "2020-07-16T22:29:55.523Z", + "contributors": [ + "busines.plan.16" + ] + }, + "Learn/JavaScript/First_steps/A_first_splash": { + "modified": "2020-08-31T10:02:41.505Z", + "contributors": [ + "aydgn" + ] + }, + "Learn/JavaScript": { + "modified": "2020-12-13T14:50:04.266Z", + "contributors": [ + "gullusadik", + "pasalog", + "enesanbar" + ] + }, + "Learn/JavaScript/Objects/Basics": { + "modified": "2020-07-16T22:32:02.139Z", + "contributors": [ + "ArinSoftware", + "AtlasCan" + ] + }, + "Learn/JavaScript/Objects": { + "modified": "2020-07-16T22:31:53.513Z", + "contributors": [ + "berabulut", + "dotRaikkonen", + "truefalseman", + "volkansag", + "enginkartal" + ] + }, + "Learn/Server-side/Django/Authentication": { + "modified": "2020-07-16T22:37:24.649Z", + "contributors": [ + "safaariman", + "icanates" + ] + }, + "Learn/Server-side/Django": { + "modified": "2020-07-16T22:36:35.695Z", + "contributors": [ + "jwhitlock", + "chrisdavidmills" + ] + }, + "Learn/Server-side/Django/Sessions": { + "modified": "2020-07-16T22:37:28.248Z", + "contributors": [ + "ozgurturkiye", + "icanates" + ] + }, + "Learn/Server-side/Django/skeleton_website": { + "modified": "2020-07-16T22:36:54.756Z", "contributors": [ "hakanergul" ] + }, + "Learn/Server-side": { + "modified": "2020-07-16T22:36:02.262Z", + "contributors": [ + "jwhitlock", + "chrisdavidmills" + ] + }, + "Games": { + "modified": "2020-09-14T16:54:45.005Z", + "contributors": [ + "serdarates", + "Berkay-Cubuk", + "SphinxKnight", + "KayraG" + ] + }, + "Web/Security/Mixed_content": { + "modified": "2019-03-23T23:08:55.937Z", + "contributors": [ + "bulutefe" + ] + }, + "Web/Security/Weak_Signature_Algorithm": { + "modified": "2019-03-23T22:55:15.192Z", + "contributors": [ + "efeevren" + ] + }, + "orphaned/Tr": { + "modified": "2019-03-24T00:18:40.718Z", + "contributors": [ + "Criexe", + "teoli", + "techexpert", + "syssgx", + "flodby", + "ACS", + "mepistol", + "huseyin.ozkilic" + ] + }, + "Web/API/Canvas_API": { + "modified": "2019-03-18T21:29:21.484Z", + "contributors": [ + "alpr" + ] + }, + "Web/Manifest": { + "modified": "2019-03-18T21:28:25.980Z", + "contributors": [ + "alpr" + ] + }, + "Web/CSS/CSS_Box_Model/Introduction_to_the_CSS_box_model": { + "modified": "2019-03-23T22:52:01.740Z", + "contributors": [ + "cenkingunlugu" + ] + }, + "Web/CSS/Class_selectors": { + "modified": "2019-03-23T22:27:43.298Z", + "contributors": [ + "pasalog" + ] + }, + "Web/CSS/Type_selectors": { + "modified": "2019-03-23T22:27:57.140Z", + "contributors": [ + "pasalog" + ] + }, + "Web/Guide/Graphics": { + "modified": "2019-03-18T21:29:11.131Z", + "contributors": [ + "alpr" + ] + }, + "Web/CSS/CSS_Lists_and_Counters/Using_CSS_counters": { + "modified": "2019-03-23T23:10:52.329Z", + "contributors": [ + "Criexe" + ] + }, + "Web/Security": { + "modified": "2019-09-10T16:49:32.135Z", + "contributors": [ + "SphinxKnight", + "umutozdemir97" + ] + }, + "Web/Security/Transport_Layer_Security": { + "modified": "2020-02-24T22:08:14.293Z", + "contributors": [ + "2.HALLAÇ" + ] + }, + "orphaned/Web/HTML-Alani": { + "modified": "2019-09-11T09:11:52.447Z", + "contributors": [ + "msyx" + ] + }, + "Web/Guide/HTML/HTML5": { + "modified": "2020-02-13T03:31:34.810Z", + "contributors": [ + "SphinxKnight", + "alvidaverona", + "beehappycorp", + "teoli", + "saidkocdemir", + "asliturk" + ] + }, + "Web/HTTP/Methods": { + "modified": "2020-10-15T22:20:53.566Z", + "contributors": [ + "gulan_gurman" + ] + }, + "Web/HTTP/Session": { + "modified": "2019-07-09T17:13:29.470Z", + "contributors": [ + "gulan_gurman" + ] + }, + "Web/JavaScript/Guide/Functions": { + "modified": "2020-03-12T19:45:10.072Z", + "contributors": [ + "rizikolik", + "meryem", + "mrtymy", + "HuseyinTurkmenoglu", + "abdullahoguk", + "ozcanzaferayan" + ] + }, + "Web/JavaScript/Guide/Control_flow_and_error_handling": { + "modified": "2020-04-23T07:57:40.916Z", + "contributors": [ + "ahmetcadirci25", + "kahilkubilay", + "ozcanzaferayan", + "pasalog", + "teoli", + "onderomega" + ] + }, + "Web/JavaScript/Guide/Working_with_Objects": { + "modified": "2020-03-12T19:49:40.091Z", + "contributors": [ + "burak-selvi" + ] + }, + "orphaned/Web/JavaScript/Reference/Global_Objects/Array/prototype": { + "modified": "2019-03-23T23:24:51.018Z", + "contributors": [ + "teoli", + "ramesaliyev" + ] + }, + "Web/JavaScript/Reference/Operators/function*": { + "modified": "2020-10-15T22:03:10.564Z", + "contributors": [ + "mustafakucuk" + ] + }, + "Web/JavaScript/Reference/Operators": { + "modified": "2020-03-12T19:41:24.526Z", + "contributors": [ + "pasalog" + ] + }, + "Web/JavaScript/Reference/Operators/instanceof": { + "modified": "2020-03-12T19:46:20.732Z", + "contributors": [ + "cenkce" + ] + }, + "Web/JavaScript/Reference/Operators/super": { + "modified": "2020-12-04T05:30:41.838Z", + "contributors": [ + "murerkinn" + ] + }, + "Web/JavaScript/Reference/Operators/this": { + "modified": "2020-03-12T19:42:15.605Z", + "contributors": [ + "co3moz" + ] + }, + "Web/JavaScript/Reference/Operators/typeof": { + "modified": "2020-10-15T22:03:10.125Z", + "contributors": [ + "obzc", + "mustafakucuk" + ] + }, + "Web/JavaScript/Data_structures": { + "modified": "2020-03-12T19:48:25.304Z", + "contributors": [ + "ondrhn", + "BarisAyaz" + ] + }, + "Web/CSS/margin": { + "modified": "2019-03-23T22:21:17.959Z", + "contributors": [ + "asanhix" + ] + }, + "conflicting/Learn/CSS/Building_blocks/Cascade_and_inheritance": { + "modified": "2019-03-23T22:37:30.876Z", + "contributors": [ + "pasalog" + ] + }, + "conflicting/Learn/CSS/First_steps/How_CSS_works": { + "modified": "2019-03-23T22:51:37.807Z", + "contributors": [ + "alpr", + "koca", + "pasalog" + ] + }, + "conflicting/Learn/CSS/First_steps/How_CSS_works_bb137d8ec11d5e9680f32049e9a3cb26": { + "modified": "2019-03-23T22:50:19.247Z", + "contributors": [ + "pasalog" + ] + }, + "conflicting/Learn/CSS/First_steps": { + "modified": "2019-03-23T22:51:41.513Z", + "contributors": [ + "alpr", + "pasalog", + "wjinca" + ] + }, + "conflicting/Learn/CSS/First_steps/How_CSS_works_64ba4331a7a5f4319c6e06b06ccdd521": { + "modified": "2019-03-23T22:50:18.048Z", + "contributors": [ + "alpr", + "pasalog" + ] + }, + "conflicting/Web/JavaScript/Reference/Global_Objects/Boolean": { + "modified": "2020-10-15T22:01:56.391Z", + "contributors": [ + "tugcebaskan" + ] + }, + "conflicting/Web/JavaScript/Reference/Global_Objects/Map": { + "modified": "2020-10-15T22:14:16.067Z", + "contributors": [ + "meryem" + ] + }, + "conflicting/Web/JavaScript/Reference/Operators": { + "modified": "2020-10-15T22:26:57.237Z", + "contributors": [ + "RawShed" + ] + }, + "conflicting/Web/JavaScript/Reference/Operators_3b90ea9617c66e4283e266b64ea7ae4a": { + "modified": "2020-10-15T21:59:09.441Z", + "contributors": [ + "cemtopkaya" + ] + }, + "conflicting/Web/JavaScript/Reference/Operators_603c79383d36dadbe5083df806de5999": { + "modified": "2020-03-12T19:44:53.162Z", + "contributors": [ + "cicekonur", + "umutozdemir97" + ] } } \ No newline at end of file diff --git a/files/tr/conflicting/learn/css/building_blocks/cascade_and_inheritance/index.html b/files/tr/conflicting/learn/css/building_blocks/cascade_and_inheritance/index.html index 3e3d882bdf..112741627e 100644 --- a/files/tr/conflicting/learn/css/building_blocks/cascade_and_inheritance/index.html +++ b/files/tr/conflicting/learn/css/building_blocks/cascade_and_inheritance/index.html @@ -1,6 +1,6 @@ --- title: Cascading and inheritance -slug: Web/Guide/CSS/Getting_started/Cascading_and_inheritance +slug: conflicting/Learn/CSS/Building_blocks/Cascade_and_inheritance tags: - Başlarken - CSS @@ -10,6 +10,7 @@ tags: - Yeni başlayanlar için translation_of: Learn/CSS/Building_blocks/Cascade_and_inheritance translation_of_original: Web/Guide/CSS/Getting_started/Cascading_and_inheritance +original_slug: Web/Guide/CSS/Getting_started/Cascading_and_inheritance ---

{{ CSSTutorialTOC() }}

diff --git a/files/tr/conflicting/learn/css/first_steps/how_css_works/index.html b/files/tr/conflicting/learn/css/first_steps/how_css_works/index.html index 680ab90b30..3cc3c2d098 100644 --- a/files/tr/conflicting/learn/css/first_steps/how_css_works/index.html +++ b/files/tr/conflicting/learn/css/first_steps/how_css_works/index.html @@ -1,6 +1,6 @@ --- title: CSS nedir? -slug: Web/Guide/CSS/Getting_started/css_nedir +slug: conflicting/Learn/CSS/First_steps/How_CSS_works tags: - Başlangıç - Başlarken @@ -10,6 +10,7 @@ tags: - Örnek translation_of: Learn/CSS/First_steps/How_CSS_works translation_of_original: Web/Guide/CSS/Getting_started/What_is_CSS +original_slug: Web/Guide/CSS/Getting_started/css_nedir ---
Css {{CSSTutorialTOC}}
diff --git a/files/tr/conflicting/learn/css/first_steps/how_css_works_64ba4331a7a5f4319c6e06b06ccdd521/index.html b/files/tr/conflicting/learn/css/first_steps/how_css_works_64ba4331a7a5f4319c6e06b06ccdd521/index.html index fa1429e2f9..9b1673fc1b 100644 --- a/files/tr/conflicting/learn/css/first_steps/how_css_works_64ba4331a7a5f4319c6e06b06ccdd521/index.html +++ b/files/tr/conflicting/learn/css/first_steps/how_css_works_64ba4331a7a5f4319c6e06b06ccdd521/index.html @@ -1,9 +1,10 @@ --- title: Neden CSS Kullanılır -slug: Web/Guide/CSS/Getting_started/Why_use_CSS +slug: >- + conflicting/Learn/CSS/First_steps/How_CSS_works_64ba4331a7a5f4319c6e06b06ccdd521 tags: - CSS - - 'CSS:Başlarken' + - CSS:Başlarken - Kılavuz - Web - Yeni başlayan @@ -11,6 +12,7 @@ tags: - Örnek translation_of: Learn/CSS/First_steps/How_CSS_works translation_of_original: Web/Guide/CSS/Getting_started/Why_use_CSS +original_slug: Web/Guide/CSS/Getting_started/Why_use_CSS ---

{{ CSSTutorialTOC() }}

diff --git a/files/tr/conflicting/learn/css/first_steps/how_css_works_bb137d8ec11d5e9680f32049e9a3cb26/index.html b/files/tr/conflicting/learn/css/first_steps/how_css_works_bb137d8ec11d5e9680f32049e9a3cb26/index.html index 8fbddac78d..e865718c65 100644 --- a/files/tr/conflicting/learn/css/first_steps/how_css_works_bb137d8ec11d5e9680f32049e9a3cb26/index.html +++ b/files/tr/conflicting/learn/css/first_steps/how_css_works_bb137d8ec11d5e9680f32049e9a3cb26/index.html @@ -1,6 +1,7 @@ --- title: How CSS works -slug: Web/Guide/CSS/Getting_started/How_CSS_works +slug: >- + conflicting/Learn/CSS/First_steps/How_CSS_works_bb137d8ec11d5e9680f32049e9a3cb26 tags: - Başlarken - CSS @@ -10,6 +11,7 @@ tags: - Yeni başlayanlar translation_of: Learn/CSS/First_steps/How_CSS_works translation_of_original: Web/Guide/CSS/Getting_started/How_CSS_works +original_slug: Web/Guide/CSS/Getting_started/How_CSS_works ---

{{ CSSTutorialTOC() }}

diff --git a/files/tr/conflicting/learn/css/first_steps/index.html b/files/tr/conflicting/learn/css/first_steps/index.html index a299f6cb69..3e7a954dcc 100644 --- a/files/tr/conflicting/learn/css/first_steps/index.html +++ b/files/tr/conflicting/learn/css/first_steps/index.html @@ -1,9 +1,9 @@ --- title: CSS'e başlarken -slug: Web/Guide/CSS/Getting_started +slug: conflicting/Learn/CSS/First_steps tags: - CSS - - 'CSS:Başlarken' + - CSS:Başlarken - Kitap - Kılavuz - Rehber @@ -13,6 +13,7 @@ tags: - Yeni başlayanlar translation_of: Learn/CSS/First_steps translation_of_original: Web/Guide/CSS/Getting_started +original_slug: Web/Guide/CSS/Getting_started ---

Bu eğitimde Cascading Style Sheets (CSS) 'in söz dizimi ve dilin ana özellikleri ile tanışacaksınız. CSS kullanılarak, tıpkı bir web sayfası gibi, bir belgenin görünümü değiştirilebilir. Bu eğitici size kendi bilgisayarınızda deneyebileceğiniz ve CSS'in günümüz tarayıcılarındaki özellik ve etkilerini görebileceğiniz örnekler sunacaktır.

diff --git a/files/tr/conflicting/web/javascript/reference/global_objects/boolean/index.html b/files/tr/conflicting/web/javascript/reference/global_objects/boolean/index.html index dcb92f48b3..bcb491fe9c 100644 --- a/files/tr/conflicting/web/javascript/reference/global_objects/boolean/index.html +++ b/files/tr/conflicting/web/javascript/reference/global_objects/boolean/index.html @@ -1,8 +1,9 @@ --- title: Boolean.prototype -slug: Web/JavaScript/Reference/Global_Objects/Boolean/prototype +slug: conflicting/Web/JavaScript/Reference/Global_Objects/Boolean translation_of: Web/JavaScript/Reference/Global_Objects/Boolean translation_of_original: Web/JavaScript/Reference/Global_Objects/Boolean/prototype +original_slug: Web/JavaScript/Reference/Global_Objects/Boolean/prototype ---
{{JSRef}}
diff --git a/files/tr/conflicting/web/javascript/reference/global_objects/map/index.html b/files/tr/conflicting/web/javascript/reference/global_objects/map/index.html index 1124f3602e..db9db60531 100644 --- a/files/tr/conflicting/web/javascript/reference/global_objects/map/index.html +++ b/files/tr/conflicting/web/javascript/reference/global_objects/map/index.html @@ -1,8 +1,9 @@ --- title: Map.prototype -slug: Web/JavaScript/Reference/Global_Objects/Map/prototype +slug: conflicting/Web/JavaScript/Reference/Global_Objects/Map translation_of: Web/JavaScript/Reference/Global_Objects/Map translation_of_original: Web/JavaScript/Reference/Global_Objects/Map/prototype +original_slug: Web/JavaScript/Reference/Global_Objects/Map/prototype ---
{{JSRef}}
diff --git a/files/tr/conflicting/web/javascript/reference/operators/index.html b/files/tr/conflicting/web/javascript/reference/operators/index.html index 04d337601d..08ec51807a 100644 --- a/files/tr/conflicting/web/javascript/reference/operators/index.html +++ b/files/tr/conflicting/web/javascript/reference/operators/index.html @@ -1,11 +1,12 @@ --- title: Arithmetic operators -slug: Web/JavaScript/Reference/Operatörler/Arithmetic_Operators +slug: conflicting/Web/JavaScript/Reference/Operators tags: - Aritmetik Operatörler - JavaScript translation_of: Web/JavaScript/Reference/Operators translation_of_original: Web/JavaScript/Reference/Operators/Arithmetic_Operators +original_slug: Web/JavaScript/Reference/Operatörler/Arithmetic_Operators ---
{{jsSidebar("Operators")}}
diff --git a/files/tr/conflicting/web/javascript/reference/operators_3b90ea9617c66e4283e266b64ea7ae4a/index.html b/files/tr/conflicting/web/javascript/reference/operators_3b90ea9617c66e4283e266b64ea7ae4a/index.html index 410107226b..aae13a1ced 100644 --- a/files/tr/conflicting/web/javascript/reference/operators_3b90ea9617c66e4283e266b64ea7ae4a/index.html +++ b/files/tr/conflicting/web/javascript/reference/operators_3b90ea9617c66e4283e266b64ea7ae4a/index.html @@ -1,8 +1,10 @@ --- title: Bitwise operators -slug: Web/JavaScript/Reference/Operatörler/Bitwise_Operators +slug: >- + conflicting/Web/JavaScript/Reference/Operators_3b90ea9617c66e4283e266b64ea7ae4a translation_of: Web/JavaScript/Reference/Operators translation_of_original: Web/JavaScript/Reference/Operators/Bitwise_Operators +original_slug: Web/JavaScript/Reference/Operatörler/Bitwise_Operators ---
{{jsSidebar("Operators")}}
diff --git a/files/tr/conflicting/web/javascript/reference/operators_603c79383d36dadbe5083df806de5999/index.html b/files/tr/conflicting/web/javascript/reference/operators_603c79383d36dadbe5083df806de5999/index.html index 8a1e2ea56f..8bebaa5873 100644 --- a/files/tr/conflicting/web/javascript/reference/operators_603c79383d36dadbe5083df806de5999/index.html +++ b/files/tr/conflicting/web/javascript/reference/operators_603c79383d36dadbe5083df806de5999/index.html @@ -1,6 +1,7 @@ --- title: Mantıksal Operatörler -slug: Web/JavaScript/Reference/Operatörler/Mantiksal_Operatorler +slug: >- + conflicting/Web/JavaScript/Reference/Operators_603c79383d36dadbe5083df806de5999 tags: - Değil - JavaScript @@ -11,6 +12,7 @@ tags: - ya da translation_of: Web/JavaScript/Reference/Operators translation_of_original: Web/JavaScript/Reference/Operators/Logical_Operators +original_slug: Web/JavaScript/Reference/Operatörler/Mantiksal_Operatorler ---
{{jsSidebar("Operators")}}
diff --git a/files/tr/games/index.html b/files/tr/games/index.html index d3cd6846ab..a782c9e90f 100644 --- a/files/tr/games/index.html +++ b/files/tr/games/index.html @@ -1,7 +1,8 @@ --- title: Oyun geliştirme -slug: Oyunlar +slug: Games translation_of: Games +original_slug: Oyunlar ---
{{GamesSidebar}}
diff --git a/files/tr/glossary/browser/index.html b/files/tr/glossary/browser/index.html index 4eeb5b7d7a..b5c3a91220 100644 --- a/files/tr/glossary/browser/index.html +++ b/files/tr/glossary/browser/index.html @@ -1,7 +1,8 @@ --- title: Web Tarayıcısı -slug: Glossary/Web_Tarayıcısı +slug: Glossary/Browser translation_of: Glossary/Browser +original_slug: Glossary/Web_Tarayıcısı ---

Web tarayıcısı, Kullanıcıların {{Glossary("World Wide Web","Web")}} sunucuları üzerinde bulunan sayfaları görüntülemesi ve sayfadaki {{Glossary("hyperlink","linkler")}} üzerinden başka sayfalara ulaşmasını sağlayan bir programdır.

diff --git a/files/tr/glossary/object/index.html b/files/tr/glossary/object/index.html index 64912aa7e2..8f1d820655 100644 --- a/files/tr/glossary/object/index.html +++ b/files/tr/glossary/object/index.html @@ -1,9 +1,10 @@ --- title: Nesne -slug: Glossary/Nesne +slug: Glossary/Object tags: - nesne translation_of: Glossary/Object +original_slug: Glossary/Nesne ---

Nesne, veri ve bu veriyle çalışmak için gerekli bilgileri içeren bir yapıya karşılık gelir. Nesneler bazen gerçek dünyadaki şeyler, örneğin yarış oyunundaki bir araba veya harita bile olabilir. {{glossary("JavaScript")}}, Java, C++, Python, ve Ruby {{glossary("NYP","nesne yönelimli programlama")}} dillerine örnektir.

diff --git a/files/tr/glossary/oop/index.html b/files/tr/glossary/oop/index.html index 771a8e739d..64754744bf 100644 --- a/files/tr/glossary/oop/index.html +++ b/files/tr/glossary/oop/index.html @@ -1,7 +1,8 @@ --- title: NYP -slug: Glossary/NYP +slug: Glossary/OOP translation_of: Glossary/OOP +original_slug: Glossary/NYP ---

NYP (Nesne Yönelimli Programlama) verilerin nesneler içine kapsüllendiği ve içinde bulunan bileşenlerin nesneyi yönettiği programlama yaklaşımıdır.

diff --git a/files/tr/glossary/protocol/index.html b/files/tr/glossary/protocol/index.html index 6f9f45ff33..7532fb38cf 100644 --- a/files/tr/glossary/protocol/index.html +++ b/files/tr/glossary/protocol/index.html @@ -1,12 +1,13 @@ --- title: Protokol -slug: Glossary/Protokol +slug: Glossary/Protocol tags: - Altyapı - Protokol nedir - Protokoller - Sözlük translation_of: Glossary/Protocol +original_slug: Glossary/Protokol ---

Protokol, verilerin bilgisayar içinde veya bilgisayarlar arasında nasıl alınıp verildiğini tanımlayan kurallar bütünüdür.

diff --git a/files/tr/learn/common_questions/what_are_browser_developer_tools/index.html b/files/tr/learn/common_questions/what_are_browser_developer_tools/index.html index 57a11f27e5..685317a3fa 100644 --- a/files/tr/learn/common_questions/what_are_browser_developer_tools/index.html +++ b/files/tr/learn/common_questions/what_are_browser_developer_tools/index.html @@ -1,7 +1,8 @@ --- title: Tarayıcı geliştirici araçları nelerdir? -slug: Learn/Common_questions/Tarayıcı_geliştirici_araçları_araçları_nelerdir +slug: Learn/Common_questions/What_are_browser_developer_tools translation_of: Learn/Common_questions/What_are_browser_developer_tools +original_slug: Learn/Common_questions/Tarayıcı_geliştirici_araçları_araçları_nelerdir ---
{{IncludeSubnav("/en-US/Learn")}}
diff --git a/files/tr/learn/css/building_blocks/backgrounds_and_borders/index.html b/files/tr/learn/css/building_blocks/backgrounds_and_borders/index.html index 79cd3c0a36..da23bd22ef 100644 --- a/files/tr/learn/css/building_blocks/backgrounds_and_borders/index.html +++ b/files/tr/learn/css/building_blocks/backgrounds_and_borders/index.html @@ -1,6 +1,6 @@ --- title: Arka planlar ve kenarlıklar -slug: Öğren/CSS/CSS_yapi_taslari/Backgrounds_and_borders +slug: Learn/CSS/Building_blocks/Backgrounds_and_borders tags: - Arka Plan - Background @@ -18,6 +18,7 @@ tags: - borders - color translation_of: Learn/CSS/Building_blocks/Backgrounds_and_borders +original_slug: Öğren/CSS/CSS_yapi_taslari/Backgrounds_and_borders ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/The_box_model", "Learn/CSS/Building_blocks/Handling_different_text_directions", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/cascade_and_inheritance/index.html b/files/tr/learn/css/building_blocks/cascade_and_inheritance/index.html index 2e70a368d6..b5b9796991 100644 --- a/files/tr/learn/css/building_blocks/cascade_and_inheritance/index.html +++ b/files/tr/learn/css/building_blocks/cascade_and_inheritance/index.html @@ -1,6 +1,6 @@ --- title: Kaynak sırası ve miras -slug: Öğren/CSS/CSS_yapi_taslari/Cascade_and_inheritance +slug: Learn/CSS/Building_blocks/Cascade_and_inheritance tags: - Acemi - Art arda @@ -18,6 +18,7 @@ tags: - source order - specificity translation_of: Learn/CSS/Building_blocks/Cascade_and_inheritance +original_slug: Öğren/CSS/CSS_yapi_taslari/Cascade_and_inheritance ---
{{LearnSidebar}}{{NextMenu("Learn/CSS/Building_blocks/Selectors", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/debugging_css/index.html b/files/tr/learn/css/building_blocks/debugging_css/index.html index 05b5c9a4ab..37af423069 100644 --- a/files/tr/learn/css/building_blocks/debugging_css/index.html +++ b/files/tr/learn/css/building_blocks/debugging_css/index.html @@ -1,6 +1,6 @@ --- title: CSS'de hata ayıklamak -slug: Öğren/CSS/CSS_yapi_taslari/Debugging_CSS +slug: Learn/CSS/Building_blocks/Debugging_CSS tags: - Acemi - Beginner @@ -14,6 +14,7 @@ tags: - Learn - source translation_of: Learn/CSS/Building_blocks/Debugging_CSS +original_slug: Öğren/CSS/CSS_yapi_taslari/Debugging_CSS ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Styling_tables", "Learn/CSS/Building_blocks/Organizing", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/handling_different_text_directions/index.html b/files/tr/learn/css/building_blocks/handling_different_text_directions/index.html index 372e9d8f6b..f0f6d6a04b 100644 --- a/files/tr/learn/css/building_blocks/handling_different_text_directions/index.html +++ b/files/tr/learn/css/building_blocks/handling_different_text_directions/index.html @@ -1,6 +1,6 @@ --- title: Farklı metin yönlerini kullanma -slug: Öğren/CSS/CSS_yapi_taslari/Handling_different_text_directions +slug: Learn/CSS/Building_blocks/Handling_different_text_directions tags: - Başlangıç - Beginner @@ -12,6 +12,7 @@ tags: - writing modes - yazma modu translation_of: Learn/CSS/Building_blocks/Handling_different_text_directions +original_slug: Öğren/CSS/CSS_yapi_taslari/Handling_different_text_directions ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Backgrounds_and_borders", "Learn/CSS/Building_blocks/Overflowing_content", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/images_media_form_elements/index.html b/files/tr/learn/css/building_blocks/images_media_form_elements/index.html index 44d6747ddd..eeb021ca8c 100644 --- a/files/tr/learn/css/building_blocks/images_media_form_elements/index.html +++ b/files/tr/learn/css/building_blocks/images_media_form_elements/index.html @@ -1,6 +1,6 @@ --- -title: 'Görseller, medya ve form öğeleri' -slug: Öğren/CSS/CSS_yapi_taslari/Images_media_form_elements +title: Görseller, medya ve form öğeleri +slug: Learn/CSS/Building_blocks/Images_media_form_elements tags: - Acemi - Beginner @@ -16,6 +16,7 @@ tags: - form - replaced content translation_of: Learn/CSS/Building_blocks/Images_media_form_elements +original_slug: Öğren/CSS/CSS_yapi_taslari/Images_media_form_elements ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Sizing_items_in_CSS", "Learn/CSS/Building_blocks/Styling_tables", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/index.html b/files/tr/learn/css/building_blocks/index.html index e898c37760..8c6a408465 100644 --- a/files/tr/learn/css/building_blocks/index.html +++ b/files/tr/learn/css/building_blocks/index.html @@ -1,6 +1,6 @@ --- title: CSS yapı taşları -slug: Öğren/CSS/CSS_yapi_taslari +slug: Learn/CSS/Building_blocks tags: - Başlangıç - Beginner @@ -10,6 +10,7 @@ tags: - kutu oluşturmak - Öğrenme translation_of: Learn/CSS/Building_blocks +original_slug: Öğren/CSS/CSS_yapi_taslari ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/building_blocks/organizing/index.html b/files/tr/learn/css/building_blocks/organizing/index.html index 383d4db9e5..6fe3ee5d36 100644 --- a/files/tr/learn/css/building_blocks/organizing/index.html +++ b/files/tr/learn/css/building_blocks/organizing/index.html @@ -1,6 +1,6 @@ --- title: CSS planlama -slug: Öğren/CSS/CSS_yapi_taslari/Organizing +slug: Learn/CSS/Building_blocks/Organizing tags: - Acemi - Beginner @@ -19,6 +19,7 @@ tags: - styleguide - yorumlar translation_of: Learn/CSS/Building_blocks/Organizing +original_slug: Öğren/CSS/CSS_yapi_taslari/Organizing ---
{{LearnSidebar}}{{PreviousMenu("Learn/CSS/Building_blocks/Debugging_CSS", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/overflow_tasks/index.html b/files/tr/learn/css/building_blocks/overflow_tasks/index.html index 7ee1ceaad0..d84ac5c022 100644 --- a/files/tr/learn/css/building_blocks/overflow_tasks/index.html +++ b/files/tr/learn/css/building_blocks/overflow_tasks/index.html @@ -1,11 +1,12 @@ --- title: 'Becerilerinizi test edin: Taşma' -slug: Öğren/CSS/CSS_yapi_taslari/Overflow_Tasks +slug: Learn/CSS/Building_blocks/Overflow_Tasks tags: - Acemi - Beginner - CSS translation_of: Learn/CSS/Building_blocks/Overflow_Tasks +original_slug: Öğren/CSS/CSS_yapi_taslari/Overflow_Tasks ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/building_blocks/overflowing_content/index.html b/files/tr/learn/css/building_blocks/overflowing_content/index.html index 5f332ca348..4737025f4f 100644 --- a/files/tr/learn/css/building_blocks/overflowing_content/index.html +++ b/files/tr/learn/css/building_blocks/overflowing_content/index.html @@ -1,6 +1,6 @@ --- title: İçerik taşması -slug: Öğren/CSS/CSS_yapi_taslari/Overflowing_content +slug: Learn/CSS/Building_blocks/Overflowing_content tags: - Acemi - Beginner @@ -13,6 +13,7 @@ tags: - overflow - taşma translation_of: Learn/CSS/Building_blocks/Overflowing_content +original_slug: Öğren/CSS/CSS_yapi_taslari/Overflowing_content ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Handling_different_text_directions", "Learn/CSS/Building_blocks/Values_and_units", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/sizing_items_in_css/index.html b/files/tr/learn/css/building_blocks/sizing_items_in_css/index.html index 9da820f78a..4794dbebae 100644 --- a/files/tr/learn/css/building_blocks/sizing_items_in_css/index.html +++ b/files/tr/learn/css/building_blocks/sizing_items_in_css/index.html @@ -1,6 +1,6 @@ --- title: CSS'de öğeleri boyutlandırma -slug: Öğren/CSS/CSS_yapi_taslari/Sizing_items_in_CSS +slug: Learn/CSS/Building_blocks/Sizing_items_in_CSS tags: - Acemi - Beginner @@ -20,6 +20,7 @@ tags: - yüzde - İç boyut translation_of: Learn/CSS/Building_blocks/Sizing_items_in_CSS +original_slug: Öğren/CSS/CSS_yapi_taslari/Sizing_items_in_CSS ---

https://wiki.developer.mozilla.org/tr/docs/%C3%96%C4%9Fren/CSS/CSS_yapi_taslari/Sizing_items_in_CSS$edit

diff --git a/files/tr/learn/css/building_blocks/sizing_tasks/index.html b/files/tr/learn/css/building_blocks/sizing_tasks/index.html index ffccae6a72..a37b752372 100644 --- a/files/tr/learn/css/building_blocks/sizing_tasks/index.html +++ b/files/tr/learn/css/building_blocks/sizing_tasks/index.html @@ -1,6 +1,6 @@ --- title: 'Becerilerinizi test edin: Boyutlandırma' -slug: Öğren/CSS/CSS_yapi_taslari/Sizing_tasks +slug: Learn/CSS/Building_blocks/Sizing_tasks tags: - Acemi - Beginner @@ -8,6 +8,7 @@ tags: - Example - Örnek translation_of: Learn/CSS/Building_blocks/Sizing_tasks +original_slug: Öğren/CSS/CSS_yapi_taslari/Sizing_tasks ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/building_blocks/styling_tables/index.html b/files/tr/learn/css/building_blocks/styling_tables/index.html index c7fb4335d7..d6983c73f9 100644 --- a/files/tr/learn/css/building_blocks/styling_tables/index.html +++ b/files/tr/learn/css/building_blocks/styling_tables/index.html @@ -1,6 +1,6 @@ --- title: Tabloları şekillendirme -slug: Öğren/CSS/CSS_yapi_taslari/Styling_tables +slug: Learn/CSS/Building_blocks/Styling_tables tags: - Acemi - Article @@ -17,6 +17,7 @@ tags: - Tables - Tablo translation_of: Learn/CSS/Building_blocks/Styling_tables +original_slug: Öğren/CSS/CSS_yapi_taslari/Styling_tables ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/building_blocks/test_your_skills_backgrounds_and_borders/index.html b/files/tr/learn/css/building_blocks/test_your_skills_backgrounds_and_borders/index.html index b144c19470..94fca5a5ce 100644 --- a/files/tr/learn/css/building_blocks/test_your_skills_backgrounds_and_borders/index.html +++ b/files/tr/learn/css/building_blocks/test_your_skills_backgrounds_and_borders/index.html @@ -1,6 +1,6 @@ --- title: 'Becerilerinizi test edin: Arka Planlar ve Kenarlıklar' -slug: Öğren/CSS/CSS_yapi_taslari/Test_your_skills_backgrounds_and_borders +slug: Learn/CSS/Building_blocks/Test_your_skills_backgrounds_and_borders tags: - Arka Plan - Assessment @@ -15,6 +15,7 @@ tags: - beceri testi - borders translation_of: Learn/CSS/Building_blocks/Test_your_skills_backgrounds_and_borders +original_slug: Öğren/CSS/CSS_yapi_taslari/Test_your_skills_backgrounds_and_borders ---

Bu beceri testinin amacı, önceki derste öğrendiğiniz becerileri kullanarak, CSS arka planları ve kenarlıklar üzerinde çalışmanızı sağlamaktır.

diff --git a/files/tr/learn/css/building_blocks/the_box_model/index.html b/files/tr/learn/css/building_blocks/the_box_model/index.html index 016c021985..38ac0e3b37 100644 --- a/files/tr/learn/css/building_blocks/the_box_model/index.html +++ b/files/tr/learn/css/building_blocks/the_box_model/index.html @@ -1,6 +1,6 @@ --- title: Kutu Modeli -slug: Öğren/CSS/CSS_yapi_taslari/The_box_model +slug: Learn/CSS/Building_blocks/The_box_model tags: - Başlangıç - Beginner @@ -18,6 +18,7 @@ tags: - margin - padding translation_of: Learn/CSS/Building_blocks/The_box_model +original_slug: Öğren/CSS/CSS_yapi_taslari/The_box_model ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Selectors/Combinators", "Learn/CSS/Building_blocks/Backgrounds_and_borders", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/values_and_units/index.html b/files/tr/learn/css/building_blocks/values_and_units/index.html index 9d42ba1317..50ce4de9f7 100644 --- a/files/tr/learn/css/building_blocks/values_and_units/index.html +++ b/files/tr/learn/css/building_blocks/values_and_units/index.html @@ -1,6 +1,6 @@ --- title: CSS değerleri ve birimleri -slug: Öğren/CSS/CSS_yapi_taslari/Values_and_units +slug: Learn/CSS/Building_blocks/Values_and_units tags: - Acemi - Beginner @@ -26,6 +26,7 @@ tags: - values - yüzde translation_of: Learn/CSS/Building_blocks/Values_and_units +original_slug: Öğren/CSS/CSS_yapi_taslari/Values_and_units ---
{{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Overflowing_content", "Learn/CSS/Building_blocks/Sizing_items_in_CSS", "Learn/CSS/Building_blocks")}}
diff --git a/files/tr/learn/css/building_blocks/values_tasks/index.html b/files/tr/learn/css/building_blocks/values_tasks/index.html index 138fd5a290..50d9bac560 100644 --- a/files/tr/learn/css/building_blocks/values_tasks/index.html +++ b/files/tr/learn/css/building_blocks/values_tasks/index.html @@ -1,6 +1,6 @@ --- title: 'Becerilerinizi test edin: değerler ve birimler' -slug: Öğren/CSS/CSS_yapi_taslari/Values_tasks +slug: Learn/CSS/Building_blocks/Values_tasks tags: - Acemi - Beginner @@ -8,6 +8,7 @@ tags: - Example - Örnek translation_of: Learn/CSS/Building_blocks/Values_tasks +original_slug: Öğren/CSS/CSS_yapi_taslari/Values_tasks ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/building_blocks/writing_modes_tasks/index.html b/files/tr/learn/css/building_blocks/writing_modes_tasks/index.html index a28339307f..63c0f98f36 100644 --- a/files/tr/learn/css/building_blocks/writing_modes_tasks/index.html +++ b/files/tr/learn/css/building_blocks/writing_modes_tasks/index.html @@ -1,11 +1,12 @@ --- title: 'Becerilerinizi test edin: Yazma Modları ve Mantıksal Özellikler' -slug: Öğren/CSS/CSS_yapi_taslari/Writing_Modes_Tasks +slug: Learn/CSS/Building_blocks/Writing_Modes_Tasks tags: - Başlangıç - Beginner - CSS translation_of: Learn/CSS/Building_blocks/Writing_Modes_Tasks +original_slug: Öğren/CSS/CSS_yapi_taslari/Writing_Modes_Tasks ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/css_layout/index.html b/files/tr/learn/css/css_layout/index.html index 1ffe9c03cb..33c22befe6 100644 --- a/files/tr/learn/css/css_layout/index.html +++ b/files/tr/learn/css/css_layout/index.html @@ -1,6 +1,6 @@ --- title: CSS layout -slug: Öğren/CSS/CSS_layout +slug: Learn/CSS/CSS_layout tags: - Beginner - CSS @@ -18,6 +18,7 @@ tags: - flexbox - float translation_of: Learn/CSS/CSS_layout +original_slug: Öğren/CSS/CSS_layout ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/css_layout/introduction/index.html b/files/tr/learn/css/css_layout/introduction/index.html index 396d9459f6..ba84909907 100644 --- a/files/tr/learn/css/css_layout/introduction/index.html +++ b/files/tr/learn/css/css_layout/introduction/index.html @@ -1,7 +1,8 @@ --- title: CSS mizanpajına giriş -slug: Öğren/CSS/CSS_layout/Introduction +slug: Learn/CSS/CSS_layout/Introduction translation_of: Learn/CSS/CSS_layout/Introduction +original_slug: Öğren/CSS/CSS_layout/Introduction ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/first_steps/getting_started/index.html b/files/tr/learn/css/first_steps/getting_started/index.html index b3d18a095a..440bbd4f79 100644 --- a/files/tr/learn/css/first_steps/getting_started/index.html +++ b/files/tr/learn/css/first_steps/getting_started/index.html @@ -1,6 +1,6 @@ --- title: CSS'e başlarken -slug: Öğren/CSS/Ilk_adimlar/Getting_started +slug: Learn/CSS/First_steps/Getting_started tags: - Acemi - Beginner @@ -20,6 +20,7 @@ tags: - seçiciler - state translation_of: Learn/CSS/First_steps/Getting_started +original_slug: Öğren/CSS/Ilk_adimlar/Getting_started ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/first_steps/how_css_is_structured/index.html b/files/tr/learn/css/first_steps/how_css_is_structured/index.html index 4a40f8481d..c0bea7bf98 100644 --- a/files/tr/learn/css/first_steps/how_css_is_structured/index.html +++ b/files/tr/learn/css/first_steps/how_css_is_structured/index.html @@ -1,6 +1,6 @@ --- title: CSS nasıl yapılandırılır -slug: Öğren/CSS/Ilk_adimlar/How_CSS_is_structured +slug: Learn/CSS/First_steps/How_CSS_is_structured tags: - Acemi - Beginner @@ -24,6 +24,7 @@ tags: - whitespace - yorumlar translation_of: Learn/CSS/First_steps/How_CSS_is_structured +original_slug: Öğren/CSS/Ilk_adimlar/How_CSS_is_structured ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/first_steps/how_css_works/index.html b/files/tr/learn/css/first_steps/how_css_works/index.html index c2cb95aa43..434e8f3a84 100644 --- a/files/tr/learn/css/first_steps/how_css_works/index.html +++ b/files/tr/learn/css/first_steps/how_css_works/index.html @@ -1,6 +1,6 @@ --- title: CSS nasıl çalışır -slug: Öğren/CSS/Ilk_adimlar/CSS_nasil_calisir +slug: Learn/CSS/First_steps/How_CSS_works tags: - Başlangıç - Beginner @@ -9,6 +9,7 @@ tags: - Eğitim - Learn translation_of: Learn/CSS/First_steps/How_CSS_works +original_slug: Öğren/CSS/Ilk_adimlar/CSS_nasil_calisir ---

{{LearnSidebar}}
{{PreviousMenuNext("Learn/CSS/First_steps/How_CSS_is_structured", "Learn/CSS/First_steps/Using_your_new_knowledge", "Learn/CSS/First_steps")}}

diff --git a/files/tr/learn/css/first_steps/index.html b/files/tr/learn/css/first_steps/index.html index eca80e4e76..7a7b0f691c 100644 --- a/files/tr/learn/css/first_steps/index.html +++ b/files/tr/learn/css/first_steps/index.html @@ -1,6 +1,6 @@ --- title: CSS'e ilk adım -slug: Öğren/CSS/Ilk_adimlar +slug: Learn/CSS/First_steps tags: - Acemi - Beginner @@ -12,6 +12,7 @@ tags: - first steps - İlk Adım translation_of: Learn/CSS/First_steps +original_slug: Öğren/CSS/Ilk_adimlar ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/first_steps/using_your_new_knowledge/index.html b/files/tr/learn/css/first_steps/using_your_new_knowledge/index.html index 3282953c36..480eb8f7c5 100644 --- a/files/tr/learn/css/first_steps/using_your_new_knowledge/index.html +++ b/files/tr/learn/css/first_steps/using_your_new_knowledge/index.html @@ -1,6 +1,6 @@ --- title: Öğrendiklerini uygula -slug: Öğren/CSS/Ilk_adimlar/Ogrendiklerinizi_Uygulayın +slug: Learn/CSS/First_steps/Using_your_new_knowledge tags: - Acemi - Başlangıç @@ -11,6 +11,7 @@ tags: - Playground - oyun alanı translation_of: Learn/CSS/First_steps/Using_your_new_knowledge +original_slug: Öğren/CSS/Ilk_adimlar/Ogrendiklerinizi_Uygulayın ---

{{LearnSidebar}}{{PreviousMenu("Learn/CSS/First_steps/How_CSS_works", "Learn/CSS/First_steps")}}

diff --git a/files/tr/learn/css/first_steps/what_is_css/index.html b/files/tr/learn/css/first_steps/what_is_css/index.html index 8433d2e196..1afe811fc0 100644 --- a/files/tr/learn/css/first_steps/what_is_css/index.html +++ b/files/tr/learn/css/first_steps/what_is_css/index.html @@ -1,6 +1,6 @@ --- title: CSS Nedir? -slug: Öğren/CSS/Ilk_adimlar/CSS_Nedir +slug: Learn/CSS/First_steps/What_is_CSS tags: - Beginner - CSS @@ -15,6 +15,7 @@ tags: - Specifications - Syntax translation_of: Learn/CSS/First_steps/What_is_CSS +original_slug: Öğren/CSS/Ilk_adimlar/CSS_Nedir ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/index.html b/files/tr/learn/css/index.html index 0b6e8df673..27330e8df2 100644 --- a/files/tr/learn/css/index.html +++ b/files/tr/learn/css/index.html @@ -1,6 +1,6 @@ --- title: CSS kullanarak HTML şekillendirmeyi öğrenin -slug: Öğren/CSS +slug: Learn/CSS tags: - Başlangıç - Beginner @@ -18,6 +18,7 @@ tags: - length - specificity translation_of: Learn/CSS +original_slug: Öğren/CSS ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/fundamentals/index.html b/files/tr/learn/css/styling_text/fundamentals/index.html index 0bf22d6921..eba906eeca 100644 --- a/files/tr/learn/css/styling_text/fundamentals/index.html +++ b/files/tr/learn/css/styling_text/fundamentals/index.html @@ -1,6 +1,6 @@ --- title: Temel metin ve yazı tipi biçimi -slug: Öğren/CSS/Styling_text/Fundamentals +slug: Learn/CSS/Styling_text/Fundamentals tags: - Acemi - Aile @@ -26,6 +26,7 @@ tags: - spacing - weight translation_of: Learn/CSS/Styling_text/Fundamentals +original_slug: Öğren/CSS/Styling_text/Fundamentals ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/index.html b/files/tr/learn/css/styling_text/index.html index 6e7c8c3500..5afce7c21f 100644 --- a/files/tr/learn/css/styling_text/index.html +++ b/files/tr/learn/css/styling_text/index.html @@ -1,6 +1,6 @@ --- title: Metni stilini belirleme -slug: Öğren/CSS/Styling_text +slug: Learn/CSS/Styling_text tags: - Acemi - Bağlantılar @@ -27,6 +27,7 @@ tags: - shadow - web fonts translation_of: Learn/CSS/Styling_text +original_slug: Öğren/CSS/Styling_text ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/styling_links/index.html b/files/tr/learn/css/styling_text/styling_links/index.html index 3cf6997aa5..d707f4f5bb 100644 --- a/files/tr/learn/css/styling_text/styling_links/index.html +++ b/files/tr/learn/css/styling_text/styling_links/index.html @@ -1,6 +1,6 @@ --- title: Bağlantıları şekillendirmek -slug: Öğren/CSS/Styling_text/Styling_links +slug: Learn/CSS/Styling_text/Styling_links tags: - Article - Beginner @@ -15,6 +15,7 @@ tags: - menus - tabs translation_of: Learn/CSS/Styling_text/Styling_links +original_slug: Öğren/CSS/Styling_text/Styling_links ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/styling_lists/index.html b/files/tr/learn/css/styling_text/styling_lists/index.html index b9690f6d23..7bdd698452 100644 --- a/files/tr/learn/css/styling_text/styling_lists/index.html +++ b/files/tr/learn/css/styling_text/styling_lists/index.html @@ -1,6 +1,6 @@ --- title: Listeleri Şekillendirmek -slug: Öğren/CSS/Styling_text/Styling_lists +slug: Learn/CSS/Styling_text/Styling_lists tags: - Acemi - Article @@ -19,6 +19,7 @@ tags: - lists - Şekillendirme translation_of: Learn/CSS/Styling_text/Styling_lists +original_slug: Öğren/CSS/Styling_text/Styling_lists ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/typesetting_a_homepage/index.html b/files/tr/learn/css/styling_text/typesetting_a_homepage/index.html index 0d5c95314b..848a23a45f 100644 --- a/files/tr/learn/css/styling_text/typesetting_a_homepage/index.html +++ b/files/tr/learn/css/styling_text/typesetting_a_homepage/index.html @@ -1,6 +1,6 @@ --- title: Bir okulun ana sayfasını düzenlemek -slug: Öğren/CSS/Styling_text/Typesetting_a_homepage +slug: Learn/CSS/Styling_text/Typesetting_a_homepage tags: - Acemi - Assessment @@ -19,6 +19,7 @@ tags: - list - web font translation_of: Learn/CSS/Styling_text/Typesetting_a_homepage +original_slug: Öğren/CSS/Styling_text/Typesetting_a_homepage ---
{{LearnSidebar}}
diff --git a/files/tr/learn/css/styling_text/web_fonts/index.html b/files/tr/learn/css/styling_text/web_fonts/index.html index cf13b6533a..05b000659d 100644 --- a/files/tr/learn/css/styling_text/web_fonts/index.html +++ b/files/tr/learn/css/styling_text/web_fonts/index.html @@ -1,6 +1,6 @@ --- title: Web Yazı Tipleri -slug: Öğren/CSS/Styling_text/Web_fonts +slug: Learn/CSS/Styling_text/Web_fonts tags: - '@font-face' - Article @@ -16,6 +16,7 @@ tags: - font-family - web fonts translation_of: Learn/CSS/Styling_text/Web_fonts +original_slug: Öğren/CSS/Styling_text/Web_fonts ---
{{LearnSidebar}}
diff --git a/files/tr/learn/front-end_web_developer/index.html b/files/tr/learn/front-end_web_developer/index.html index 2adf1624e7..c055ec1e31 100644 --- a/files/tr/learn/front-end_web_developer/index.html +++ b/files/tr/learn/front-end_web_developer/index.html @@ -1,6 +1,6 @@ --- title: Front-end web developer -slug: Öğren/Front-end_web_developer +slug: Learn/Front-end_web_developer tags: - Araçlar - Başlangıç @@ -11,6 +11,7 @@ tags: - Ön Uç - Öğrenme translation_of: Learn/Front-end_web_developer +original_slug: Öğren/Front-end_web_developer ---

{{öğrenme kenarı}}

diff --git a/files/tr/learn/getting_started_with_the_web/how_the_web_works/index.html b/files/tr/learn/getting_started_with_the_web/how_the_web_works/index.html index d7f26f50bf..4b706170ec 100644 --- a/files/tr/learn/getting_started_with_the_web/how_the_web_works/index.html +++ b/files/tr/learn/getting_started_with_the_web/how_the_web_works/index.html @@ -1,7 +1,8 @@ --- title: How the Web works -slug: Öğren/Getting_started_with_the_web/How_the_Web_works +slug: Learn/Getting_started_with_the_web/How_the_Web_works translation_of: Learn/Getting_started_with_the_web/How_the_Web_works +original_slug: Öğren/Getting_started_with_the_web/How_the_Web_works ---
{{LearnSidebar}}
diff --git a/files/tr/learn/getting_started_with_the_web/index.html b/files/tr/learn/getting_started_with_the_web/index.html index de4a8c94f4..502ad9648c 100644 --- a/files/tr/learn/getting_started_with_the_web/index.html +++ b/files/tr/learn/getting_started_with_the_web/index.html @@ -1,7 +1,8 @@ --- title: Web ile başlarken -slug: Öğren/Getting_started_with_the_web +slug: Learn/Getting_started_with_the_web translation_of: Learn/Getting_started_with_the_web +original_slug: Öğren/Getting_started_with_the_web ---
{{LearnSidebar}}
diff --git a/files/tr/learn/getting_started_with_the_web/installing_basic_software/index.html b/files/tr/learn/getting_started_with_the_web/installing_basic_software/index.html index df366e2761..b6bd4c9150 100644 --- a/files/tr/learn/getting_started_with_the_web/installing_basic_software/index.html +++ b/files/tr/learn/getting_started_with_the_web/installing_basic_software/index.html @@ -1,12 +1,13 @@ --- title: Installing basic software -slug: Öğren/Getting_started_with_the_web/Installing_basic_software +slug: Learn/Getting_started_with_the_web/Installing_basic_software tags: - Aletler - Başlangıç - Yüklemeler - Öğrenme translation_of: Learn/Getting_started_with_the_web/Installing_basic_software +original_slug: Öğren/Getting_started_with_the_web/Installing_basic_software ---
{{LearnSidebar}}
diff --git a/files/tr/learn/getting_started_with_the_web/javascript_basics/index.html b/files/tr/learn/getting_started_with_the_web/javascript_basics/index.html index 3d52dfbb5b..0bfe47464d 100644 --- a/files/tr/learn/getting_started_with_the_web/javascript_basics/index.html +++ b/files/tr/learn/getting_started_with_the_web/javascript_basics/index.html @@ -1,7 +1,8 @@ --- title: JavaScript'in Temelleri -slug: Öğren/Getting_started_with_the_web/JavaScript_basics +slug: Learn/Getting_started_with_the_web/JavaScript_basics translation_of: Learn/Getting_started_with_the_web/JavaScript_basics +original_slug: Öğren/Getting_started_with_the_web/JavaScript_basics ---
{{LearnSidebar}}
diff --git a/files/tr/learn/getting_started_with_the_web/what_will_your_website_look_like/index.html b/files/tr/learn/getting_started_with_the_web/what_will_your_website_look_like/index.html index 15e286ef50..7b7400f21f 100644 --- a/files/tr/learn/getting_started_with_the_web/what_will_your_website_look_like/index.html +++ b/files/tr/learn/getting_started_with_the_web/what_will_your_website_look_like/index.html @@ -1,7 +1,8 @@ --- title: Web siteniz nasıl görünecek -slug: Öğren/Getting_started_with_the_web/Web_siteniz_nasil_gorunecek +slug: Learn/Getting_started_with_the_web/What_will_your_website_look_like translation_of: Learn/Getting_started_with_the_web/What_will_your_website_look_like +original_slug: Öğren/Getting_started_with_the_web/Web_siteniz_nasil_gorunecek ---
{{LearnSidebar}}
diff --git a/files/tr/learn/html/index.html b/files/tr/learn/html/index.html index 3d9a352661..959b1aea51 100644 --- a/files/tr/learn/html/index.html +++ b/files/tr/learn/html/index.html @@ -1,6 +1,6 @@ --- title: Web'i HTML ile oluşturma -slug: Öğren/HTML +slug: Learn/HTML tags: - Başlangıç - HTML @@ -10,6 +10,7 @@ tags: - Yeni başlayan - Öğrenmek translation_of: Learn/HTML +original_slug: Öğren/HTML ---
{{LearnSidebar}}
diff --git a/files/tr/learn/html/introduction_to_html/getting_started/index.html b/files/tr/learn/html/introduction_to_html/getting_started/index.html index f88ec96f22..719024bdc3 100644 --- a/files/tr/learn/html/introduction_to_html/getting_started/index.html +++ b/files/tr/learn/html/introduction_to_html/getting_started/index.html @@ -1,7 +1,8 @@ --- title: HTML ile Başlarken -slug: Öğren/HTML/Introduction_to_HTML/Başlangıç +slug: Learn/HTML/Introduction_to_HTML/Getting_started translation_of: Learn/HTML/Introduction_to_HTML/Getting_started +original_slug: Öğren/HTML/Introduction_to_HTML/Başlangıç ---
{{LearnSidebar}}
diff --git a/files/tr/learn/html/introduction_to_html/index.html b/files/tr/learn/html/introduction_to_html/index.html index ba1a6c4397..35db9e3700 100644 --- a/files/tr/learn/html/introduction_to_html/index.html +++ b/files/tr/learn/html/introduction_to_html/index.html @@ -1,11 +1,12 @@ --- title: Introduction to HTML -slug: Öğren/HTML/Introduction_to_HTML +slug: Learn/HTML/Introduction_to_HTML tags: - HTML - NeedsContent - NeedsUpdate translation_of: Learn/HTML/Introduction_to_HTML +original_slug: Öğren/HTML/Introduction_to_HTML ---

HTML Özünde, bir belgede farklı anlamlar vermek için metin parçalarına uygulanabilen öğelerden oluşan oldukça basit bir dildir (bir paragraf mı? Madde işaretli bir liste mi? Masanın bir parçası mı?), bir belgeyi mantıksal bölümlere yapılandırın (bir başlığı var mı? Üç içerik sütunu mu? Navigasyon menüsü mü?) ve resim ve video gibi içeriği bir sayfaya gömün. Bu modül, bunlardan ilk ikisini tanıtacak ve HTML'yi anlamak için bilmeniz gereken temel kavramları ve sözdizimini tanıtacaktır.

diff --git a/files/tr/learn/index.html b/files/tr/learn/index.html index 2aece44072..466edae5b2 100644 --- a/files/tr/learn/index.html +++ b/files/tr/learn/index.html @@ -1,9 +1,10 @@ --- title: Web Programlama Öğren -slug: Öğren +slug: Learn tags: - öğren translation_of: Learn +original_slug: Öğren ---

{{LearnSidebar}}

diff --git a/files/tr/learn/javascript/first_steps/a_first_splash/index.html b/files/tr/learn/javascript/first_steps/a_first_splash/index.html index 8cab0bbcf2..1ef591995a 100644 --- a/files/tr/learn/javascript/first_steps/a_first_splash/index.html +++ b/files/tr/learn/javascript/first_steps/a_first_splash/index.html @@ -1,7 +1,8 @@ --- title: Javascript'e ilk giriş -slug: Öğren/JavaScript/First_steps/Javascripte_giris +slug: Learn/JavaScript/First_steps/A_first_splash translation_of: Learn/JavaScript/First_steps/A_first_splash +original_slug: Öğren/JavaScript/First_steps/Javascripte_giris ---
{{LearnSidebar}}
diff --git a/files/tr/learn/javascript/first_steps/index.html b/files/tr/learn/javascript/first_steps/index.html index cde2569c69..3c6821d3e6 100644 --- a/files/tr/learn/javascript/first_steps/index.html +++ b/files/tr/learn/javascript/first_steps/index.html @@ -1,9 +1,10 @@ --- title: JavaScript First Steps -slug: Öğren/JavaScript/First_steps +slug: Learn/JavaScript/First_steps tags: - türkçe translation_of: Learn/JavaScript/First_steps +original_slug: Öğren/JavaScript/First_steps ---
{{LearnSidebar}}
diff --git a/files/tr/learn/javascript/index.html b/files/tr/learn/javascript/index.html index 665e95cc85..902b39d8c4 100644 --- a/files/tr/learn/javascript/index.html +++ b/files/tr/learn/javascript/index.html @@ -1,7 +1,8 @@ --- title: JavaScript -slug: Öğren/JavaScript +slug: Learn/JavaScript translation_of: Learn/JavaScript +original_slug: Öğren/JavaScript ---
{{LearnSidebar}}
diff --git a/files/tr/learn/javascript/objects/basics/index.html b/files/tr/learn/javascript/objects/basics/index.html index bf6e7892e0..e0ba47ca07 100644 --- a/files/tr/learn/javascript/objects/basics/index.html +++ b/files/tr/learn/javascript/objects/basics/index.html @@ -1,7 +1,8 @@ --- title: JavaScript object basics -slug: Öğren/JavaScript/Objeler/Basics +slug: Learn/JavaScript/Objects/Basics translation_of: Learn/JavaScript/Objects/Basics +original_slug: Öğren/JavaScript/Objeler/Basics ---
{{LearnSidebar}}
diff --git a/files/tr/learn/javascript/objects/index.html b/files/tr/learn/javascript/objects/index.html index d90a7e81a4..2dd6a7a9e1 100644 --- a/files/tr/learn/javascript/objects/index.html +++ b/files/tr/learn/javascript/objects/index.html @@ -1,6 +1,6 @@ --- title: Javascript Nesnelerine Giriş -slug: Öğren/JavaScript/Objeler +slug: Learn/JavaScript/Objects tags: - Başlangıç - Değerlendirme @@ -13,6 +13,7 @@ tags: - Yeni başlayan - öğren translation_of: Learn/JavaScript/Objects +original_slug: Öğren/JavaScript/Objeler ---
{{LearnSidebar}}
diff --git a/files/tr/learn/server-side/django/authentication/index.html b/files/tr/learn/server-side/django/authentication/index.html index 516efc7d1d..d7f0ccc57d 100644 --- a/files/tr/learn/server-side/django/authentication/index.html +++ b/files/tr/learn/server-side/django/authentication/index.html @@ -1,7 +1,8 @@ --- title: 'Django Tutorial - 8. Bölüm: Kullanıcı doğrulama ve izinler' -slug: Öğren/Server-side/Django/Authentication +slug: Learn/Server-side/Django/Authentication translation_of: Learn/Server-side/Django/Authentication +original_slug: Öğren/Server-side/Django/Authentication ---
{{LearnSidebar}}
diff --git a/files/tr/learn/server-side/django/index.html b/files/tr/learn/server-side/django/index.html index d4a8864ffb..e86962900e 100644 --- a/files/tr/learn/server-side/django/index.html +++ b/files/tr/learn/server-side/django/index.html @@ -1,6 +1,6 @@ --- title: Django Web Framework (Python) -slug: Öğren/Server-side/Django +slug: Learn/Server-side/Django tags: - Beginner - CodingScripting @@ -12,6 +12,7 @@ tags: - TopicStub - django translation_of: Learn/Server-side/Django +original_slug: Öğren/Server-side/Django ---

{{draft("Contact Hamish Willee via ~~chrisdavidmills if you have any questions about this work.")}}

diff --git a/files/tr/learn/server-side/django/sessions/index.html b/files/tr/learn/server-side/django/sessions/index.html index 594cab9f47..9394b62737 100644 --- a/files/tr/learn/server-side/django/sessions/index.html +++ b/files/tr/learn/server-side/django/sessions/index.html @@ -1,6 +1,6 @@ --- title: 'Django Tutorial Part 7: Sessions framework' -slug: Öğren/Server-side/Django/Sessions +slug: Learn/Server-side/Django/Sessions tags: - Başlangıç - CondingScripting @@ -19,6 +19,7 @@ tags: - Öğretici - öğren translation_of: Learn/Server-side/Django/Sessions +original_slug: Öğren/Server-side/Django/Sessions ---
{{LearnSidebar}}
diff --git a/files/tr/learn/server-side/django/skeleton_website/index.html b/files/tr/learn/server-side/django/skeleton_website/index.html index 4301d37ce5..1c617bcc75 100644 --- a/files/tr/learn/server-side/django/skeleton_website/index.html +++ b/files/tr/learn/server-side/django/skeleton_website/index.html @@ -1,7 +1,8 @@ --- title: 'Django Tutorial 2. Bölüm: Websitesi İskeleti Oluşturmak' -slug: Öğren/Server-side/Django/website_iskeleti +slug: Learn/Server-side/Django/skeleton_website translation_of: Learn/Server-side/Django/skeleton_website +original_slug: Öğren/Server-side/Django/website_iskeleti ---
{{LearnSidebar}}
diff --git a/files/tr/learn/server-side/index.html b/files/tr/learn/server-side/index.html index ad515e95a9..10a879b683 100644 --- a/files/tr/learn/server-side/index.html +++ b/files/tr/learn/server-side/index.html @@ -1,6 +1,6 @@ --- title: Server-side website programming -slug: Öğren/Server-side +slug: Learn/Server-side tags: - Beginner - CodingScripting @@ -13,6 +13,7 @@ tags: - Topic - TopicStub translation_of: Learn/Server-side +original_slug: Öğren/Server-side ---

{{draft("Contact Hamish Willee via ~~chrisdavidmills if you have any questions about this work.")}}

diff --git a/files/tr/mdn/about/index.html b/files/tr/mdn/about/index.html index b3b9e67a31..23852801e3 100644 --- a/files/tr/mdn/about/index.html +++ b/files/tr/mdn/about/index.html @@ -1,12 +1,13 @@ --- title: MDN Web Docs Hakkında -slug: MDN/Hakkinda +slug: MDN/About tags: - Dokümantasyon - Lisanslar - Telif Hakkı - Topluluk translation_of: MDN/About +original_slug: MDN/Hakkinda ---
{{MDNSidebar}}
diff --git a/files/tr/mdn/at_ten/index.html b/files/tr/mdn/at_ten/index.html index ee5981fb1d..2f7446ff3b 100644 --- a/files/tr/mdn/at_ten/index.html +++ b/files/tr/mdn/at_ten/index.html @@ -1,7 +1,8 @@ --- title: MDN 10'unda -slug: MDN_onunda +slug: MDN/At_ten translation_of: MDN_at_ten +original_slug: MDN_onunda ---
İnternetinizin 10 yıldır belgelenmesini kutlayın.
diff --git a/files/tr/mdn/contribute/howto/create_and_edit_pages/index.html b/files/tr/mdn/contribute/howto/create_and_edit_pages/index.html index 7986219ff5..ee54c74064 100644 --- a/files/tr/mdn/contribute/howto/create_and_edit_pages/index.html +++ b/files/tr/mdn/contribute/howto/create_and_edit_pages/index.html @@ -1,11 +1,12 @@ --- title: Sayfalar nasıl oluşturulur ve düzenlenir -slug: MDN/Contribute/Howto/Sayfalar_nasil_olusturulur_duzenlenir +slug: MDN/Contribute/Howto/Create_and_edit_pages tags: - Başlangıç - Giriş - Klavuz - Nasıl translation_of: MDN/Contribute/Howto/Create_and_edit_pages +original_slug: MDN/Contribute/Howto/Sayfalar_nasil_olusturulur_duzenlenir ---
bilgisayar tamircisi
diff --git a/files/tr/mdn/tools/kumascript/troubleshooting/index.html b/files/tr/mdn/tools/kumascript/troubleshooting/index.html index c910d90ae0..87b7e85fe3 100644 --- a/files/tr/mdn/tools/kumascript/troubleshooting/index.html +++ b/files/tr/mdn/tools/kumascript/troubleshooting/index.html @@ -1,6 +1,6 @@ --- title: Troubleshooting KumaScript errors -slug: MDN/Kuma/Troubleshooting_KumaScript_errors +slug: MDN/Tools/KumaScript/Troubleshooting tags: - HRCTelekom - KumaScript @@ -8,6 +8,7 @@ tags: - MDN Meta - sabır translation_of: MDN/Tools/KumaScript/Troubleshooting +original_slug: MDN/Kuma/Troubleshooting_KumaScript_errors ---
{{MDNSidebar}} 
diff --git a/files/tr/mdn/yari/index.html b/files/tr/mdn/yari/index.html index d08ef04685..e6bf90982e 100644 --- a/files/tr/mdn/yari/index.html +++ b/files/tr/mdn/yari/index.html @@ -1,6 +1,6 @@ --- title: 'Kuma: MDN''s wiki platform' -slug: MDN/Kuma +slug: MDN/Yari tags: - Kuma - Landing @@ -8,6 +8,7 @@ tags: - NeedsTranslation - TopicStub translation_of: MDN/Kuma +original_slug: MDN/Kuma ---
{{MDNSidebar}}{{IncludeSubnav("/en-US/docs/MDN")}}
diff --git a/files/tr/mozilla/add-ons/index.html b/files/tr/mozilla/add-ons/index.html index 528c0ed7cf..f754e3a366 100644 --- a/files/tr/mozilla/add-ons/index.html +++ b/files/tr/mozilla/add-ons/index.html @@ -1,12 +1,13 @@ --- title: Eklentiler -slug: Mozilla/Eklentiler +slug: Mozilla/Add-ons tags: - Eklentiler - Landing - Mozilla - uzantılar translation_of: Mozilla/Add-ons +original_slug: Mozilla/Eklentiler ---
Mozilla uygulamalarını değiştirin ve genişletin.
diff --git a/files/tr/mozilla/add-ons/webextensions/extending_the_developer_tools/index.html b/files/tr/mozilla/add-ons/webextensions/extending_the_developer_tools/index.html index ee47f9114c..3f4af92620 100644 --- a/files/tr/mozilla/add-ons/webextensions/extending_the_developer_tools/index.html +++ b/files/tr/mozilla/add-ons/webextensions/extending_the_developer_tools/index.html @@ -1,6 +1,6 @@ --- title: Extending the developer tools -slug: Mozilla/Eklentiler/WebExtensions/Extending_the_developer_tools +slug: Mozilla/Add-ons/WebExtensions/Extending_the_developer_tools tags: - DevTools - Eklenti @@ -10,6 +10,7 @@ tags: - WebExtensions - İhtiyaçları Ayrıcalıkları translation_of: Mozilla/Add-ons/WebExtensions/Extending_the_developer_tools +original_slug: Mozilla/Eklentiler/WebExtensions/Extending_the_developer_tools ---
{{AddonSidebar}}
diff --git a/files/tr/mozilla/add-ons/webextensions/index.html b/files/tr/mozilla/add-ons/webextensions/index.html index 91c91735f2..c4a3cfc16a 100644 --- a/files/tr/mozilla/add-ons/webextensions/index.html +++ b/files/tr/mozilla/add-ons/webextensions/index.html @@ -1,11 +1,12 @@ --- title: Tarayıcı uzantıları -slug: Mozilla/Eklentiler/WebExtensions +slug: Mozilla/Add-ons/WebExtensions tags: - Eklentiler - WebExtensions - İniş translation_of: Mozilla/Add-ons/WebExtensions +original_slug: Mozilla/Eklentiler/WebExtensions ---
{{AddonSidebar}}
diff --git a/files/tr/mozilla/add-ons/webextensions/user_interface/index.html b/files/tr/mozilla/add-ons/webextensions/user_interface/index.html index 0c181eec6a..b7c071d37a 100644 --- a/files/tr/mozilla/add-ons/webextensions/user_interface/index.html +++ b/files/tr/mozilla/add-ons/webextensions/user_interface/index.html @@ -1,11 +1,12 @@ --- title: User interface -slug: Mozilla/Eklentiler/WebExtensions/user_interface +slug: Mozilla/Add-ons/WebExtensions/user_interface tags: - Kullanıcı arayüzü - WebExtensions - İniş translation_of: Mozilla/Add-ons/WebExtensions/user_interface +original_slug: Mozilla/Eklentiler/WebExtensions/user_interface ---
{{AddonSidebar}}
diff --git a/files/tr/mozilla/add-ons/webextensions/what_are_webextensions/index.html b/files/tr/mozilla/add-ons/webextensions/what_are_webextensions/index.html index 2b63208d65..266752739d 100644 --- a/files/tr/mozilla/add-ons/webextensions/what_are_webextensions/index.html +++ b/files/tr/mozilla/add-ons/webextensions/what_are_webextensions/index.html @@ -1,10 +1,11 @@ --- title: Eklenti nedir? -slug: Mozilla/Eklentiler/WebExtensions/Eklenti_nedir +slug: Mozilla/Add-ons/WebExtensions/What_are_WebExtensions tags: - Eklentiler - Web eklentileri translation_of: Mozilla/Add-ons/WebExtensions/What_are_WebExtensions +original_slug: Mozilla/Eklentiler/WebExtensions/Eklenti_nedir ---
{{AddonSidebar}}
diff --git a/files/tr/mozilla/add-ons/webextensions/your_first_webextension/index.html b/files/tr/mozilla/add-ons/webextensions/your_first_webextension/index.html index dfd3d30304..7efafe5d0f 100644 --- a/files/tr/mozilla/add-ons/webextensions/your_first_webextension/index.html +++ b/files/tr/mozilla/add-ons/webextensions/your_first_webextension/index.html @@ -1,10 +1,11 @@ --- title: İlk Eklentin -slug: Mozilla/Eklentiler/WebExtensions/İlk_Eklentin +slug: Mozilla/Add-ons/WebExtensions/Your_first_WebExtension tags: - Rehber - WebEklentileri translation_of: Mozilla/Add-ons/WebExtensions/Your_first_WebExtension +original_slug: Mozilla/Eklentiler/WebExtensions/İlk_Eklentin ---
{{AddonSidebar}}
diff --git a/files/tr/mozilla/developer_guide/source_code/index.html b/files/tr/mozilla/developer_guide/source_code/index.html index 9e3fc517df..59ee794fd4 100644 --- a/files/tr/mozilla/developer_guide/source_code/index.html +++ b/files/tr/mozilla/developer_guide/source_code/index.html @@ -1,6 +1,6 @@ --- title: Mozilla kaynak kodu ile çalışmak -slug: Mozilla/Developer_guide/Kaynak_Kod +slug: Mozilla/Developer_guide/Source_Code tags: - Firefox - Geliştirme @@ -9,6 +9,7 @@ tags: - kaynak kodu - thunderbird translation_of: Mozilla/Developer_guide/Source_Code +original_slug: Mozilla/Developer_guide/Kaynak_Kod ---

Aşağıdaki makale Mozilla kaynak koduna erişmenize, keşfetmenize ve önereceğiniz değişiklikleri ağaca nasıl entegre edeceğiniz konusunda yardımcı olacak.

diff --git a/files/tr/orphaned/fennec_(firefox_mobile)/index.html b/files/tr/orphaned/fennec_(firefox_mobile)/index.html index a10390a2d6..0f0f83ab8e 100644 --- a/files/tr/orphaned/fennec_(firefox_mobile)/index.html +++ b/files/tr/orphaned/fennec_(firefox_mobile)/index.html @@ -1,12 +1,13 @@ --- title: Mobile -slug: Fennec_(Firefox_Mobile) +slug: orphaned/Fennec_(Firefox_Mobile) tags: - Firefox - Mobile - firefox fennec - mobil - mobile firefox +original_slug: Fennec_(Firefox_Mobile) ---

fennec_logo.png

Firefox'un cep telefonları için olan sürümüdür. Ekran görüntüleri aşağıdaki gibidir. Yakında daha ayrıntılı bilgiye buradan erişebileceksiniz.

diff --git a/files/tr/orphaned/mdn/community/index.html b/files/tr/orphaned/mdn/community/index.html index 76cdfb75bf..b4fd7d8688 100644 --- a/files/tr/orphaned/mdn/community/index.html +++ b/files/tr/orphaned/mdn/community/index.html @@ -1,11 +1,12 @@ --- title: Join the MDN community -slug: MDN/Community +slug: orphaned/MDN/Community tags: - MDN Meta - Rehber - Topluluk translation_of: MDN/Community +original_slug: MDN/Community ---
{{MDNSidebar}}
diff --git a/files/tr/orphaned/mdn/contribute/howto/do_an_editorial_review/index.html b/files/tr/orphaned/mdn/contribute/howto/do_an_editorial_review/index.html index 026332438c..930ccb397e 100644 --- a/files/tr/orphaned/mdn/contribute/howto/do_an_editorial_review/index.html +++ b/files/tr/orphaned/mdn/contribute/howto/do_an_editorial_review/index.html @@ -1,7 +1,8 @@ --- title: Bir editör incelemesi nasıl yapılır? -slug: MDN/Contribute/Howto/Editor_incelemesi_nasil_yapilir +slug: orphaned/MDN/Contribute/Howto/Do_an_editorial_review translation_of: MDN/Contribute/Howto/Do_an_editorial_review +original_slug: MDN/Contribute/Howto/Editor_incelemesi_nasil_yapilir ---
{{MDNSidebar}}
{{IncludeSubnav("/en-US/docs/MDN")}}
diff --git a/files/tr/orphaned/mdn/editor/basics/index.html b/files/tr/orphaned/mdn/editor/basics/index.html index cf3f1475a1..24d2d90a96 100644 --- a/files/tr/orphaned/mdn/editor/basics/index.html +++ b/files/tr/orphaned/mdn/editor/basics/index.html @@ -1,7 +1,8 @@ --- title: MDN editor basics -slug: MDN/Editor/Basics +slug: orphaned/MDN/Editor/Basics translation_of: MDN/Editor/Basics +original_slug: MDN/Editor/Basics ---
{{MDNSidebar}}

Editing content on MDN is easy; you can use the built-in WYSIWYG editor to create, edit, and improve articles and other pages almost anywhere on the site. The editor window, shown below, is comprised of eight key boxes. This section will provide information about each section so you know how to use our entire editing environment.

diff --git a/files/tr/orphaned/mdn/editor/index.html b/files/tr/orphaned/mdn/editor/index.html index 99c8d58ea1..df8d6f9a64 100644 --- a/files/tr/orphaned/mdn/editor/index.html +++ b/files/tr/orphaned/mdn/editor/index.html @@ -1,12 +1,13 @@ --- title: MDN Düzenleyici Rehberi -slug: MDN/Editor +slug: orphaned/MDN/Editor tags: - Landing - MDN - NeedsTranslation - TopicStub translation_of: MDN/Editor +original_slug: MDN/Editor ---

Sayfada düzenleme uygulaması MDN Web dökümanları wiki sayfası, yeni içerik sağlamak için kolaylık sağlar. Bu rehber bu düzenleyiciyi nasıl kullanıp üretim verimliliğinizi nasıl arttıracağınızı gösterecek. Lütfen Mozilla Sözleşmesini okuyun herhangi bir düzenleme yapmadan evvel.

diff --git a/files/tr/orphaned/mdn/kuma/server_charts/index.html b/files/tr/orphaned/mdn/kuma/server_charts/index.html index 2b3859dfa9..27bed9aceb 100644 --- a/files/tr/orphaned/mdn/kuma/server_charts/index.html +++ b/files/tr/orphaned/mdn/kuma/server_charts/index.html @@ -1,10 +1,11 @@ --- title: Server charts -slug: MDN/Kuma/Server_charts +slug: orphaned/MDN/Kuma/Server_charts tags: - Kuma - MDN Meta Türkçe translation_of: MDN/Kuma/Server_charts +original_slug: MDN/Kuma/Server_charts ---
{{MDNSidebar}}{{IncludeSubnav("/en-US/docs/MDN")}}
diff --git a/files/tr/orphaned/mdn/tools/page_watching/index.html b/files/tr/orphaned/mdn/tools/page_watching/index.html index 4df3df166a..226080839d 100644 --- a/files/tr/orphaned/mdn/tools/page_watching/index.html +++ b/files/tr/orphaned/mdn/tools/page_watching/index.html @@ -1,7 +1,8 @@ --- title: Watch or subscribe to a page or set of pages -slug: MDN/Tools/Page_watching +slug: orphaned/MDN/Tools/Page_watching translation_of: MDN/Tools/Page_watching +original_slug: MDN/Tools/Page_watching ---
{{MDNSidebar}}
diff --git a/files/tr/orphaned/mozilla/add-ons/webextensions/getting_started_with_web-ext/index.html b/files/tr/orphaned/mozilla/add-ons/webextensions/getting_started_with_web-ext/index.html index 810b551b81..137630f542 100644 --- a/files/tr/orphaned/mozilla/add-ons/webextensions/getting_started_with_web-ext/index.html +++ b/files/tr/orphaned/mozilla/add-ons/webextensions/getting_started_with_web-ext/index.html @@ -1,7 +1,8 @@ --- title: Deneyiminize web-ext ile başlayın -slug: Mozilla/Eklentiler/WebExtensions/Deneyiminize_web-ext_ile_başlayın +slug: orphaned/Mozilla/Add-ons/WebExtensions/Getting_started_with_web-ext translation_of: Mozilla/Add-ons/WebExtensions/Getting_started_with_web-ext +original_slug: Mozilla/Eklentiler/WebExtensions/Deneyiminize_web-ext_ile_başlayın ---
{{AddonSidebar}}
diff --git a/files/tr/orphaned/tr/index.html b/files/tr/orphaned/tr/index.html index 3ad0ab9038..9113b51ace 100644 --- a/files/tr/orphaned/tr/index.html +++ b/files/tr/orphaned/tr/index.html @@ -1,6 +1,6 @@ --- title: Mozilla Geliştirici Ağı -slug: Tr +slug: orphaned/Tr tags: - MDC - Mozilla Developer Center @@ -8,6 +8,7 @@ tags: - mdc türkiye - mgm - mozilla geliştirici merkezi +original_slug: Tr ---

logo-only-250x250.pngFirefox Mobile - Android sürümü yayınlandı. Test Etmek isterseniz buraya tıklayınız.

Firefox 9(veya son çıkan beta) sürümünü test etmek isterseniz buraya tıklayınız.

diff --git a/files/tr/orphaned/web/html-alani/index.html b/files/tr/orphaned/web/html-alani/index.html index 06153ac1c1..7ec71baafa 100644 --- a/files/tr/orphaned/web/html-alani/index.html +++ b/files/tr/orphaned/web/html-alani/index.html @@ -1,10 +1,11 @@ --- title: 'HTML: Hypertext Markup Language' -slug: Web/HTML-Alani +slug: orphaned/Web/HTML-Alani tags: - HTML - HTML5 - Web +original_slug: Web/HTML-Alani ---
{{HTMLSidebar}}
diff --git a/files/tr/orphaned/web/javascript/reference/global_objects/array/prototype/index.html b/files/tr/orphaned/web/javascript/reference/global_objects/array/prototype/index.html index 19ffe3c80f..024fd28feb 100644 --- a/files/tr/orphaned/web/javascript/reference/global_objects/array/prototype/index.html +++ b/files/tr/orphaned/web/javascript/reference/global_objects/array/prototype/index.html @@ -1,7 +1,8 @@ --- title: Array.prototype -slug: Web/JavaScript/Reference/Global_Objects/Array/prototype +slug: orphaned/Web/JavaScript/Reference/Global_Objects/Array/prototype translation_of: Web/JavaScript/Reference/Global_Objects/Array/prototype +original_slug: Web/JavaScript/Reference/Global_Objects/Array/prototype ---
{{JSRef("Global_Objects", "Array")}}
diff --git a/files/tr/tools/browser_console/index.html b/files/tr/tools/browser_console/index.html index 542c9f6b28..d4f4c1015c 100644 --- a/files/tr/tools/browser_console/index.html +++ b/files/tr/tools/browser_console/index.html @@ -1,6 +1,6 @@ --- title: Browser Console -slug: Araclar/Browser_Console +slug: Tools/Browser_Console tags: - Developer - Tutorial @@ -8,6 +8,7 @@ tags: - WebMechanics - WebRTC translation_of: Tools/Browser_Console +original_slug: Araclar/Browser_Console ---
    {{ToolsSidebar}}
diff --git a/files/tr/tools/debugger/index.html b/files/tr/tools/debugger/index.html index 36f2ee5531..d3e8c68cc7 100644 --- a/files/tr/tools/debugger/index.html +++ b/files/tr/tools/debugger/index.html @@ -1,9 +1,10 @@ --- title: Hata ayıklayıcı -slug: Araclar/HataAyıklayıcı +slug: Tools/Debugger tags: - '#HataAyıklayıcı #HataAyıklama #JavaScript' translation_of: Tools/Debugger +original_slug: Araclar/HataAyıklayıcı ---

Bu sayfa Firefox 52 veya daha üzeri sürümdeki JavaScript Hata Ayıklayıcı'yı tanıtır. Daha önceki sürümlerde nasıl olduğunu görmek için  Debugger (before Firefox 52).

diff --git a/files/tr/tools/index.html b/files/tr/tools/index.html index 9c2e82ecb6..e417962b62 100644 --- a/files/tr/tools/index.html +++ b/files/tr/tools/index.html @@ -1,11 +1,12 @@ --- title: Firefox Geliştirici Araçları -slug: Araclar +slug: Tools tags: - Türkçe Firefox Devop Toolls - firefox aurora - geliştirici araçları translation_of: Tools +original_slug: Araclar ---
{{ToolsSidebar}}
diff --git a/files/tr/tools/page_inspector/index.html b/files/tr/tools/page_inspector/index.html index f50c28aa5c..548d1027e9 100644 --- a/files/tr/tools/page_inspector/index.html +++ b/files/tr/tools/page_inspector/index.html @@ -1,7 +1,8 @@ --- title: Page Inspector -slug: Araclar/Page_Inspector +slug: Tools/Page_Inspector translation_of: Tools/Page_Inspector +original_slug: Araclar/Page_Inspector ---

Bir sayfanın HTML'sini ve CSS'sini incelemek ve değiştirmek için Page Inspector'ı kullanın.

diff --git a/files/tr/tools/performance/index.html b/files/tr/tools/performance/index.html index 803e590515..a47a777603 100644 --- a/files/tr/tools/performance/index.html +++ b/files/tr/tools/performance/index.html @@ -1,7 +1,8 @@ --- title: Performance -slug: Araclar/Performance +slug: Tools/Performance translation_of: Tools/Performance +original_slug: Araclar/Performance ---
{{ToolsSidebar}}
diff --git a/files/tr/tools/remote_debugging/index.html b/files/tr/tools/remote_debugging/index.html index 0718a25e60..7e5304f2f1 100644 --- a/files/tr/tools/remote_debugging/index.html +++ b/files/tr/tools/remote_debugging/index.html @@ -1,7 +1,8 @@ --- title: Remote Debugging -slug: Araclar/Remote_Debugging +slug: Tools/Remote_Debugging translation_of: Tools/Remote_Debugging +original_slug: Araclar/Remote_Debugging ---

You can use the Firefox developer tools on your desktop to debug code running remotely: in a different process on the same device or on a completely different device. To do this you use Firefox to attach the Toolbox to the remote process, and the Toolbox is then launched in its own window. At the moment the following tools support remote debugging:

    diff --git a/files/tr/tools/web_console/index.html b/files/tr/tools/web_console/index.html index 585d711508..a3044762d3 100644 --- a/files/tr/tools/web_console/index.html +++ b/files/tr/tools/web_console/index.html @@ -1,6 +1,6 @@ --- title: Web Konsolu -slug: Araclar/Web_Konsolu +slug: Tools/Web_Console tags: - Debugging Guide Tools Turkish - Türkçe DevOps Web Console Mozilla @@ -8,6 +8,7 @@ tags: - Web Machine Türkçe - Web console Türkçe translation_of: Tools/Web_Console +original_slug: Araclar/Web_Konsolu ---
    {{ToolsSidebar}}
    diff --git a/files/tr/tools/web_console/rich_output/index.html b/files/tr/tools/web_console/rich_output/index.html index 388246ba4b..17e558a85e 100644 --- a/files/tr/tools/web_console/rich_output/index.html +++ b/files/tr/tools/web_console/rich_output/index.html @@ -1,7 +1,8 @@ --- title: Zengin Çıktı -slug: Araclar/Web_Konsolu/Zengin_Cikti +slug: Tools/Web_Console/Rich_output translation_of: Tools/Web_Console/Rich_output +original_slug: Araclar/Web_Konsolu/Zengin_Cikti ---
    {{ToolsSidebar}}
    diff --git a/files/tr/tools/web_console/split_console/index.html b/files/tr/tools/web_console/split_console/index.html index b145783aca..e6ca22812a 100644 --- a/files/tr/tools/web_console/split_console/index.html +++ b/files/tr/tools/web_console/split_console/index.html @@ -1,7 +1,8 @@ --- title: Bölünmüş Konsol -slug: Araclar/Web_Konsolu/Bolunmus_Konsol +slug: Tools/Web_Console/Split_console translation_of: Tools/Web_Console/Split_console +original_slug: Araclar/Web_Konsolu/Bolunmus_Konsol ---
    {{ToolsSidebar}}
    diff --git a/files/tr/tools/web_console/the_command_line_interpreter/index.html b/files/tr/tools/web_console/the_command_line_interpreter/index.html index a63f823b21..12c6d9d405 100644 --- a/files/tr/tools/web_console/the_command_line_interpreter/index.html +++ b/files/tr/tools/web_console/the_command_line_interpreter/index.html @@ -1,7 +1,8 @@ --- title: Komut Satırı Tercümanı -slug: Araclar/Web_Konsolu/Komut_Satiri_Tercumani +slug: Tools/Web_Console/The_command_line_interpreter translation_of: Tools/Web_Console/The_command_line_interpreter +original_slug: Araclar/Web_Konsolu/Komut_Satiri_Tercumani ---
    {{ToolsSidebar}}
    diff --git a/files/tr/tools/web_console/ui_tour/index.html b/files/tr/tools/web_console/ui_tour/index.html index d1a1ebb0d5..dff0f7bafc 100644 --- a/files/tr/tools/web_console/ui_tour/index.html +++ b/files/tr/tools/web_console/ui_tour/index.html @@ -1,7 +1,8 @@ --- title: Web Konsolu'nu Açmak -slug: Araclar/Web_Konsolu/Web_Konsolunu_Acmak +slug: Tools/Web_Console/UI_Tour translation_of: Tools/Web_Console/UI_Tour +original_slug: Araclar/Web_Konsolu/Web_Konsolunu_Acmak ---
    {{ToolsSidebar}}
    diff --git a/files/tr/web/api/canvas_api/index.html b/files/tr/web/api/canvas_api/index.html index f6a9a2f8d7..32842f3676 100644 --- a/files/tr/web/api/canvas_api/index.html +++ b/files/tr/web/api/canvas_api/index.html @@ -1,6 +1,6 @@ --- title: Tuval Arabirimi -slug: Web/API/Tuval_Arabirimi +slug: Web/API/Canvas_API tags: - Arabirim - Canvas @@ -9,6 +9,7 @@ tags: - Kaynak - Tuval translation_of: Web/API/Canvas_API +original_slug: Web/API/Tuval_Arabirimi ---
    {{CanvasSidebar}}
    diff --git a/files/tr/web/css/class_selectors/index.html b/files/tr/web/css/class_selectors/index.html index d735ceed7c..7db7988ab8 100644 --- a/files/tr/web/css/class_selectors/index.html +++ b/files/tr/web/css/class_selectors/index.html @@ -1,12 +1,13 @@ --- title: Sınıf seçicileri -slug: Web/CSS/Sınıf_seçicileri +slug: Web/CSS/Class_selectors tags: - CSS - CSS Referans - Yeni başlayan - seçiciler translation_of: Web/CSS/Class_selectors +original_slug: Web/CSS/Sınıf_seçicileri ---
    {{CSSRef("Selectors")}}
    diff --git a/files/tr/web/css/css_box_model/introduction_to_the_css_box_model/index.html b/files/tr/web/css/css_box_model/introduction_to_the_css_box_model/index.html index 38245c8af4..f93bbe1292 100644 --- a/files/tr/web/css/css_box_model/introduction_to_the_css_box_model/index.html +++ b/files/tr/web/css/css_box_model/introduction_to_the_css_box_model/index.html @@ -1,10 +1,11 @@ --- title: Kutu modeli -slug: Web/CSS/box_model +slug: Web/CSS/CSS_Box_Model/Introduction_to_the_CSS_box_model tags: - CSS - Kutu Modeli translation_of: Web/CSS/CSS_Box_Model/Introduction_to_the_CSS_box_model +original_slug: Web/CSS/box_model ---

    Özet

    diff --git a/files/tr/web/css/css_lists_and_counters/using_css_counters/index.html b/files/tr/web/css/css_lists_and_counters/using_css_counters/index.html index d31a159a27..bc33ddb4dd 100644 --- a/files/tr/web/css/css_lists_and_counters/using_css_counters/index.html +++ b/files/tr/web/css/css_lists_and_counters/using_css_counters/index.html @@ -1,6 +1,6 @@ --- title: CSS Sayaçlarını Kullanmak -slug: Web/Guide/CSS/Sayaçlar +slug: Web/CSS/CSS_Lists_and_Counters/Using_CSS_counters tags: - CSS - CSS Counter @@ -8,6 +8,7 @@ tags: - MDN - Sayaçlar translation_of: Web/CSS/CSS_Lists_and_Counters/Using_CSS_counters +original_slug: Web/Guide/CSS/Sayaçlar ---

    {{CSSRef}}

    CSS counters are, in essence, variables maintained by CSS whose values may be incremented by CSS rules to track how many times they're used. This lets you adjust the appearance of content based on its placement in the document. CSS counters are an implementation of Automatic counters and numbering in CSS 2.1.

    diff --git a/files/tr/web/css/css_selectors/index.html b/files/tr/web/css/css_selectors/index.html index a7f89d5c85..af5308fe63 100644 --- a/files/tr/web/css/css_selectors/index.html +++ b/files/tr/web/css/css_selectors/index.html @@ -1,6 +1,6 @@ --- title: CSS seçiciler -slug: Öğren/CSS/CSS_yapi_taslari/Selectors +slug: Web/CSS/CSS_Selectors tags: - Başlangıç - CSS @@ -11,6 +11,7 @@ tags: - seçiciler - sınıf translation_of: Web/CSS/CSS_Selectors +original_slug: Öğren/CSS/CSS_yapi_taslari/Selectors ---
    {{LearnSidebar}}{{PreviousMenuNext("Learn/CSS/Building_blocks/Cascade_and_inheritance", "Learn/CSS/Building_blocks/Selectors/Type_Class_and_ID_Selectors", "Learn/CSS/Building_blocks")}}
    diff --git a/files/tr/web/css/margin/index.html b/files/tr/web/css/margin/index.html index 356c738f48..e2fc1b4085 100644 --- a/files/tr/web/css/margin/index.html +++ b/files/tr/web/css/margin/index.html @@ -1,12 +1,13 @@ --- title: marjin -slug: Web/CSS/marjin +slug: Web/CSS/margin tags: - CSS - CSS özelliği - Referans translation_of: Web/CSS/margin translation_of_original: Web/CSS/margin-new +original_slug: Web/CSS/marjin ---
    {{CSSRef}}
    diff --git a/files/tr/web/css/type_selectors/index.html b/files/tr/web/css/type_selectors/index.html index f24f899681..8c375757ba 100644 --- a/files/tr/web/css/type_selectors/index.html +++ b/files/tr/web/css/type_selectors/index.html @@ -1,12 +1,13 @@ --- title: Tip Seçicileri -slug: Web/CSS/Tip_secicileri +slug: Web/CSS/Type_selectors tags: - CSS - CSS referansı - Yeni başlayan - seçiciler translation_of: Web/CSS/Type_selectors +original_slug: Web/CSS/Tip_secicileri ---
    {{CSSRef("Selectors")}}
    diff --git a/files/tr/web/guide/graphics/index.html b/files/tr/web/guide/graphics/index.html index c72c02d2b5..52179a8951 100644 --- a/files/tr/web/guide/graphics/index.html +++ b/files/tr/web/guide/graphics/index.html @@ -1,6 +1,6 @@ --- title: Web Çizgeleri -slug: Web/Guide/Çizgeler +slug: Web/Guide/Graphics tags: - 2B - 3B @@ -16,6 +16,7 @@ tags: - Çizge - Ölçeklenebilir Görüntü translation_of: Web/Guide/Graphics +original_slug: Web/Guide/Çizgeler ---

    Web siteleri ve uygulamaların bazen çizge göstermeleri gerekir.Durağan görseller {{HTMLElement("img")}} ögesi kullanılarak kolayca gösterilebilir, ya da ögenin ardalan görseli CSS {{cssxref("background-image")}} özelliğiyle belirlenebilir. Oluşturulmuş çizgelerin üzerinde de anlık oynamalar yapabilirsiniz. Buradaki gönderiler sizler bunları nasıl yapacağınızı anlatır.

    diff --git a/files/tr/web/guide/html/html5/index.html b/files/tr/web/guide/html/html5/index.html index d4ab791219..b2fc61ed8f 100644 --- a/files/tr/web/guide/html/html5/index.html +++ b/files/tr/web/guide/html/html5/index.html @@ -1,6 +1,6 @@ --- title: HTML5 -slug: Web/HTML/HTML5 +slug: Web/Guide/HTML/HTML5 tags: - HTML - HTML5 @@ -14,6 +14,7 @@ tags: - html5 türkçe açıklama - web geliştirici translation_of: Web/Guide/HTML/HTML5 +original_slug: Web/HTML/HTML5 ---

    HTML5 , html standartlarının son halidir. Anlam olarak iki farklı kavramı temsil eder:

    diff --git a/files/tr/web/html/element/aside/index.html b/files/tr/web/html/element/aside/index.html index 234d56a434..64b2e421cd 100644 --- a/files/tr/web/html/element/aside/index.html +++ b/files/tr/web/html/element/aside/index.html @@ -1,11 +1,12 @@ --- title: