Wei-Meng Lee - C# 2008 Programmer's Reference

Здесь есть возможность читать онлайн «Wei-Meng Lee - C# 2008 Programmer's Reference» весь текст электронной книги совершенно бесплатно (целиком полную версию без сокращений). В некоторых случаях можно слушать аудио, скачать через торрент в формате fb2 и присутствует краткое содержание. Город: Indianapolis, Год выпуска: 2009, ISBN: 2009, Издательство: Wiley Publishing, Inc., Жанр: Программирование, на английском языке. Описание произведения, (предисловие) а так же отзывы посетителей доступны на портале библиотеки ЛибКат.

C# 2008 Programmer's Reference: краткое содержание, описание и аннотация

Предлагаем к чтению аннотацию, описание, краткое содержание или предисловие (зависит от того, что написал сам автор книги «C# 2008 Programmer's Reference»). Если вы не нашли необходимую информацию о книге — напишите в комментариях, мы постараемся отыскать её.

C# 2008 Programmers Reference provides a concise and thorough reference on all aspects of the language. Each chapter contains detailed code samples that provide a quick and easy way to understand the key concepts covered.

C# 2008 Programmer's Reference — читать онлайн бесплатно полную книгу (весь текст) целиком

Ниже представлен текст книги, разбитый по страницам. Система сохранения места последней прочитанной страницы, позволяет с удобством читать онлайн бесплатно книгу «C# 2008 Programmer's Reference», без необходимости каждый раз заново искать на чём Вы остановились. Поставьте закладку, и сможете в любой момент перейти на страницу, на которой закончили чтение.

Тёмная тема
Сбросить

Интервал:

Закладка:

Сделать

}

This code prints the strings in the words array, from index 2 through 4. The output is:

Programming

is

fun

You can also omit statements and expressions inside thefor loop, as the following example illustrates:

for (;;) {

Console.Write("*");

}

In this case, the forloop prints out a series of *s continuously (infinite loop).

Nested for Loop

It is common to nest two or more for loops within one another. The following example prints out the times table from 1 to 10:

for (int i = 1; i <= 10; i++) {

Console.WriteLine("Times table for {0}", i);

Console.WriteLine("=================");

for (int j = 1; j <= 10; j++) {

Console.WriteLine ("{0} x {1} = {2}", i, j, i*j);

}

}

Figure 3-11 shows the output.

Figure 311 Here one forloop is nested within another forloop The first pass - фото 92

Figure 3-11

Here, one forloop is nested within another forloop. The first pass of the outer loop (represented by iin this example) triggers the inner loop (represented by j). The inner loop will execute to completion and then the outer loop will move to the second pass, which triggers the inner loop again. This repeats until the outer loop has finished executing.

foreach

One common use for the for loop is to iterate through a series of objects in a collection. In C# there is another looping construct that is very useful for just this purpose — the foreach statement, which iterates over each element in a collection. Take a look at an example:

int[] nums = { 1, 2, 3, 4, 5, 6, 7, 8, 9 };

foreach (int i in nums) {

Console.WriteLine(i);

}

This code block prints out all the numbers in the nums array (from 1 to 9). The value of itakes on the value of each individual member of the array during each iteration. However, you cannot change the value of iwithin the loop, as the following example demonstrates:

int[] nums = { 1, 2, 3, 4, 5, 6, 7, 8, 9 };

foreach (int i in nums) {

i += 4; //---error: cannot change the value of i---

Console.WriteLine(i);

}

Here is another example of the use of the foreach loop:

string[] words = { "C#", "3.0", "Programming", "is", "fun" };

foreach (string w in words) {

Console.WriteLine(w);

}

This code block prints out:

C#

3.0

Programming

is

fun

while and do-while Loops

In addition to forand foreachstatements, you can use a whilestatement to execute a block of code repeatedly. The whilestatement executes a code block until the specified condition is false. Here's an example:

int[] nums = { 1, 2, 3, 4, 5, 6, 7, 8, 9 };

int i = 0;

while (i < 9) {

Console.WriteLine(nums[i++]);

}

This code iterates through all the elements (from index 0 to 8) in the numsarray and prints out each number to the console window.

The whilestatement checks the condition before executing the block of code. To execute the code at least once before evaluating the condition, use the do-whilestatement. It executes its code and then evaluates the condition specified by the while keyword, as the following example shows:

string reply;

do {

Console.WriteLine("Are you sure you want to quit? [y/n]");

reply = Console.ReadLine();

} while (reply != "y");

In this code, you first print the message on the console and then wait for the user to enter a string. If the string entered is not y, the loop continues. It will exit when the user enters y.

Exiting from a Loop

To break out of a loop prematurely (before the exit condition is met), you can use one of the following keywords:

break

return

throw

goto

break

The breakkeyword allows you to break out of a loop prematurely:

int counter = 0;

do {

Console.WriteLine(counter++);

//---exits the loop when counter is more than 100

if (counter > 100) break;

} while (true);

In this example, you increment the value of counterin an infinite do-whileloop. To break out of the loop, you use a ifstatement to check the value of counter. If the value exceeds 100, you use the breakkeyword to exit the do-whileloop.

You can also use the break keyword in while, for, and foreachloops.

return

The returnkeyword allows you to terminate the execution of a method and return control to the calling method. When you use it within a loop, it will also exit from the loop. In the following example, the FindWord()function searches for a specified word ("car") inside a given array. As soon as a match is found, it exits from the loop and returns control to the calling method:

class Program {

static string FindWord(string[] arr, string word) {

foreach (string w in arr) {

//--- if word is found, exit the loop and return back to the

// calling function---

if (w.StartsWith(word)) return w;

}

return string.Empty;

}

static void Main(string[] args) {

string[] words = {

"-online", "4u", "adipex", "advicer", "baccarrat", "blackjack",

"bllogspot", "booker", "byob", "car-rental-e-site",

"car-rentals-e-site", "carisoprodol", "casino", "casinos",

"chatroom", "cialis", "coolcoolhu", "coolhu",

"credit-card-debt", "credit-report-4u"

};

Console.WriteLine(FindWord(words, "car")); //---car-rental-e-site---

}

}

throw

The throwkeyword is usually used with the try-catch-finallystatements to throw an exception. However, you can also use it to exit a loop prematurely. Consider the following block of code that contains the Sums()function to perform some addition and division on an array:

class Program {

static double Sums(int[] nums, int num) {

double sum = 0;

foreach (double n in nums) {

if (n == 0)

throw new Exception("Nums contains zero!");

sum += num / n;

}

return sum;

}

static void Main(string[] args) {

int[] nums = { 1, 2, 3, 4, 0, 6, 7, 8, 9 };

try {

Console.WriteLine(Sums(nums, 2));

Читать дальше
Тёмная тема
Сбросить

Интервал:

Закладка:

Сделать

Похожие книги на «C# 2008 Programmer's Reference»

Представляем Вашему вниманию похожие книги на «C# 2008 Programmer's Reference» списком для выбора. Мы отобрали схожую по названию и смыслу литературу в надежде предоставить читателям больше вариантов отыскать новые, интересные, ещё непрочитанные произведения.


Отзывы о книге «C# 2008 Programmer's Reference»

Обсуждение, отзывы о книге «C# 2008 Programmer's Reference» и просто собственные мнения читателей. Оставьте ваши комментарии, напишите, что Вы думаете о произведении, его смысле или главных героях. Укажите что конкретно понравилось, а что нет, и почему Вы так считаете.

x