Javac file not found ошибка

I have a filename named «first.java» saved on my desktop in notepad++. When I run the cmd command «javac first.java» it gives me this error.

javac: file not found: first.java 
Usage: javac <options> <source files>

I know you are required to go to C:Programfilesjavajdk.

and in my C:Program FilesJava I have thesE folders

«jdk1.8.0»
«jre6»
«jre8»

In C:Program Files (x86)Java
I have this folder
«jre6»

The Environmental settings are as follows

CLASSPATH
C:Program FilesJavajre8bin
Variable name: LEJOS_NXT_JAVA_HOME
Variable value: C:Program Files (x86)Javajdk1.6.0_21bin

PATH
Variable name: PATH
Variable value: C:Program FilesJavajdk1.8.0bin

Please tell me where I am going wrong. I have read several posts on the Internet, and I can’t figure it out.

Pshemo's user avatar

Pshemo

122k25 gold badges185 silver badges269 bronze badges

asked Dec 14, 2013 at 20:22

Ali's user avatar

2

I had the same issue and it was to do with my file name. If you set the file location using CD in CMD, and then type DIR it will list the files in that directory. Check that the file name appears and check that the spelling and filename ending is correct.

It should be .java but mine was .java.txt. The instructions on the Java tutorials website state that you should select «Save as Type Text Documents» but for me that always adds .txt onto the end of the file name. If I change it to «Save as Type All Documents» it correctly saved the file name.

CMD DIR Example

answered Sep 5, 2015 at 17:18

Stephen Dryden's user avatar

As KhAn SaAb has stated, you need to set your path.

But in order for your JDK to take advantage of tools such as Maven in the future, I would assign a JAVA_HOME path to point to your JDK folder and then just add the %JAVA_HOME%bin directory to your PATH.

JAVA_HOME = "C:Program FilesJavajdk1.8.0"
PATH = %PATH%%JAVA_HOME%bin

In Windows:

  1. right-click «My Computer» and choose «properties» from the context menu.
  2. Choose «Advanced system settings» on the left.
  3. In the «System Properties» popup, in the «Advanced» tab, choose «Environment Variables»
  4. In the «Environment Variables» popup, under the «System variables» section, click «New»
  5. Type «JAVA_HOME» in the «Variable name» field
  6. Paste the path to your JDK folder into the «Variable value» field.
  7. Click OK
  8. In the same section, choose «Path» and change the text where it says:

      blah;blah;blah;C:Program FilesJavajdk1.8.0bin;blah,blah;blah

      to:

      blah;blah;blah;%JAVA_HOME%bin;blah,blah;blah

KhAn SaAb's user avatar

KhAn SaAb

5,2485 gold badges31 silver badges52 bronze badges

answered Dec 14, 2013 at 20:29

Mr. Polywhirl's user avatar

Mr. PolywhirlMr. Polywhirl

41.8k12 gold badges84 silver badges132 bronze badges

2

For Windows, javac should be a command that you can run from anywhere. If it isn’t (which is strange in and of itself), you need to run javac from where it’s located, but navigate to the exact location of your Java class file in order to compile it successfully.

By default, javac will compile a file name relative to the current path, and if it can’t find the file, it won’t compile it.

Please note: You would only be able to use jdk1.8.0 to actually compile, since that would be the only library set that has javac contained in it. Remember: the Java Runtime Environment runs Java classes; the Java Development Kit compiles them.

answered Dec 14, 2013 at 20:27

Makoto's user avatar

MakotoMakoto

104k27 gold badges189 silver badges228 bronze badges

SET path of JRE as well

jre is nothing but responsible for execute the program

PATH Variable value:

C:Program FilesJavajdk1.8.0bin;C:Program FilesJavajrebin;.;

answered Dec 14, 2013 at 20:24

KhAn SaAb's user avatar

KhAn SaAbKhAn SaAb

5,2485 gold badges31 silver badges52 bronze badges

2

Seems like you have your path right. But what is your working directory?
on command prompt run:

javac -version

this should show your java version. if it doesnt, you have not set java in path correctly.

navigate to C:

cd 

Then:

javac -sourcepath usersAccNameDesktop -d usersAccNameDesktop first.java

-sourcepath is the complete path to your .java file, -d is the path/directory you want your .class files to be, then finally the file you want compiled (first.java).

answered Jan 29, 2015 at 12:33

Ramson Mwangi's user avatar

Ramson MwangiRamson Mwangi

1351 gold badge3 silver badges13 bronze badges

I had same problem. The origin of the problem was the creation of text file in Notepad and renaming it as a java file. This implied that the file was saved as WorCount.java.txt file.

To solve this I had to save the file as java file in an IDE or in Nodepad++.

help-info.de's user avatar

help-info.de

6,59516 gold badges39 silver badges40 bronze badges

answered Oct 15, 2016 at 13:30

shareToProgress's user avatar

So I had the same problem because I wasn’t in the right directory where my file was located. So when I ran javac Example.java (for me) it said it couldn’t find it. But I needed to go to where my Example.java file was located. So I used the command cd and right after that the location of the file. That worked for me. Tell me if it helps! Thanks!

TDG's user avatar

TDG

5,7843 gold badges29 silver badges51 bronze badges

answered Aug 17, 2015 at 16:22

Jai Bansal's user avatar

Java file execution procedure:
After you saved a file MyFirstJavaProgram2.java

Enter the whole Path of «Javac» followed by java file
For executing output
Path of followed by comment <-cp> followed by followed by

Given below is the example of execution

C:Program FilesJavajdk1.8.0_101bin>javac C:SampleMyFirstJavaProgram2.java

C:Program FilesJavajdk1.8.0_101bin>java -cp C:Sample MyFirstJavaProgram2

Hello World

answered Feb 16, 2017 at 21:23

Beginner_PCR's user avatar

Sometimes this issue occurs, If you are creating a java file for the first time in your system. The Extension of your Java file gets saved as the text file.

e.g Example.java.txt (wrong extension)

You need to change the text file extension to java file.

It should be like:

Example.java (right extension)

answered May 13, 2018 at 8:29

Pankaj Dubey's user avatar

If this is the problem then go to the place where the javac is present and then type

  1. notepad Yourfilename.java
  2. it will ask for creation of the file
  3. say yes and copy the code from your previous source file to this file
  4. now execute the cmd——>javac Yourfilename.java

It will work for sure.

MichaelS's user avatar

MichaelS

5,9216 gold badges31 silver badges46 bronze badges

answered Nov 26, 2014 at 10:02

vinaykotagi's user avatar

First set your path to C:/Program Files/Java/jdk1.8.0/bin in the environment variables.
Say, your file is saved in the C: drive
Now open the command prompt and move to the directory using c:
javac Filename.java
java Filename

Make sure you save the file name as .java.

If it is saved as a text file name then file not found error results as it cannot the text file.

answered Oct 23, 2016 at 12:38

Android's user avatar

Here is the way I executed the program without environment variable configured.

Java file execution procedure:
After you saved a file MyFirstJavaProgram.java

Enter the whole Path of «Javac» followed by java file
For executing output
Path of followed by comment <-cp> followed by followed by

Given below is the example of execution

C:Program FilesJavajdk1.8.0_101bin>javac C:SampleMyFirstJavaProgram2.java
C:Program FilesJavajdk1.8.0_101bin>java -cp C:Sample MyFirstJavaProgram2
Hello World

answered Feb 16, 2017 at 21:19

Beginner_PCR's user avatar

1

just open file
then click on save as
then name it as first.java
then in that box there is another dropdown in that dropdown (save as type) select type as all
and save it
now you can compile it

answered Aug 8, 2018 at 18:16

Mukul Kirti Verma's user avatar

first set the path of jdk bin
steps to be follow:
— open computer properties.
— Advanced system settings
— Environment Variables
look for the system variables
-Click on the «path» variable
— Edit
copy the jdk bin path and done.

The Problem is you just open the command prompt which is default set on current user like «C:usersABC>»
You have to change the location where your .java file store like «D:javafiles>»

Now you are able to run the command javac filename.java

answered Feb 22, 2020 at 8:43

Pravin Ghorle's user avatar

if your file located different folder

cd cd C:UsersOwnerIdeaProjectsheadFirstsink-startups-game

then cd src

If you have just one file that located somewhere press Shift+right click -> Copy file Path and then you can execute same way : cd + path(Ctrl+v)

to see files in that directory — dir +Enter

javac filename.java

then java filename

To compile all files in given directory: javac *.java
then easyly you can use java anyfilename

answered Oct 25, 2022 at 19:15

ilia's user avatar

iliailia

881 silver badge8 bronze badges

There was an extra space in my case. I wrote MyFile .java instead of MyFile.java. I corrected this mistake and I was free of this issue.

answered Feb 3 at 0:24

Abdullah Programmer's user avatar

0 / 0 / 0

Регистрация: 26.11.2015

Сообщений: 3

1

30.11.2015, 18:27. Показов 25615. Ответов 10


Студворк — интернет-сервис помощи студентам

Добрый вечер.
Есть проблема.
Javac не может найти файл .java для компиляции.
Я уже указала все значения переменных JAVA_HOME и Path
Командная строка прекрасно распознает javac и java откуда угодно.
Но когда я ввожу команду вида javac HelloWorld.java появляется надпись:

Javac:file not found:HelloWorld.java
usage:javac <options> <source files>
use -help for a list of possible options.

Что я делаю не так?



0



528 / 431 / 159

Регистрация: 25.11.2014

Сообщений: 1,662

30.11.2015, 18:31

2



1



0 / 0 / 0

Регистрация: 26.11.2015

Сообщений: 3

30.11.2015, 19:25

 [ТС]

3

Velesthau, огромное спасибо!
На всякий случай для тех, кто тоже не сразу разобрался:
Вызывать командную строку нужно из той папки, где находится файл с расширением .java
Вызвать ее можно, например, удержанием Shift и кликом правой кнопки мыши.



0



528 / 431 / 159

Регистрация: 25.11.2014

Сообщений: 1,662

30.11.2015, 19:29

4

Цитата
Сообщение от Stereotypes
Посмотреть сообщение

Вызывать командную строку нужно из той папки, где находится файл с расширением .java

Не нужно, а можно Никто не мешает запустить ее откуда угодно и перейти с командой cd. Или использовать консольный файловый менеджер вроде FAR’а и перейти в директорию в нем. Еще есть способ прописать cmd в адресной строке explorer’а, работает без мыши



0



0 / 0 / 0

Регистрация: 26.11.2015

Сообщений: 3

30.11.2015, 20:07

 [ТС]

5

Velesthau, Я просто новичок в программировании и пошла по наиболее очевидному для юзера пути.
Буду исправляться с:



0



4 / 4 / 0

Регистрация: 30.05.2018

Сообщений: 2

30.05.2018, 08:53

6

Если писали код в блокноте (.txt формате), то ваш файл может иметь имя HelloWorld.java.txt, и последние .txt вы можете просто не видеть из-за того что у вас в настройка отображения файлов и папок стоит галочка «Скрывать расширения файлов». Зайдите в настройки файлов и папок и снимите эту галочку. Увидите что ваш файл имеет имя HelloWorld.java.txt
Измените его на HelloWorld.java



2



2443 / 1899 / 475

Регистрация: 17.02.2014

Сообщений: 9,155

30.05.2018, 08:59

7

Цитата
Сообщение от Stereotypes
Посмотреть сообщение

новичок в программировании



0



LeX

30.05.2018, 09:03

Не по теме:

Aviz__, посмотри на дату поста…
kaa84, зачем мертвые темы поднимаешь?



0



2443 / 1899 / 475

Регистрация: 17.02.2014

Сообщений: 9,155

30.05.2018, 09:05

9

Цитата
Сообщение от LeX
Посмотреть сообщение

посмотри на дату



0



4 / 4 / 0

Регистрация: 30.05.2018

Сообщений: 2

30.05.2018, 13:10

10

Да новичок

Добавлено через 7 минут
Да, но ответ на этот вопрос ищут и сегодня, другие люди, а не только автор вопроса. У меня например тоже было сообщение

Javac:file not found:HelloWorld.java
usage:javac <options> <source files>
use -help for a list of possible options.

И причина была в неверном расширении файла, на которое я не сразу обратил внимание.



2



0 / 0 / 0

Регистрация: 23.06.2016

Сообщений: 8

07.02.2021, 04:29

11

Сидел, долбился несколько часов в этот javac, думал, в чем проблема и почему мой файлик из notepad++ не хочет быть увиденным, перерыл все что выдавало на английском языке, сменил кучу переменных среды, от отчаяния начал смотреть русские форумы и вижу ответик многоуважаемого kaa84.

Действительно, формат файла был blahblah.java.txt, огромное спасибо тебе, чувак, за то, что занекропостил и написал об этом



0



На чтение 7 мин. Опубликовано 15.12.2019

В этом уроке мы создадим нашу первую программу на языке Java.
Создание приложения на языке Java состоит из трех следующих шагов:

Содержание

  1. Создание исходного файла
  2. Компиляция исходного файла
  3. Запуск программы
  4. Комментариев к записи: 95

Создание исходного файла

Для начала нужно написать текст программы на языке Java и сохранить его. Это и будет нашим исходным файлом. Для создания исходного файла подойдет любой текстовый редактор, например стандартный «Блокнот». Однако, существуют и другие текстовые редакторы, которые более удобны для написания кода. Можно воспользоваться например, Notepad++ . Это бесплатный текстовый редактор, который поддерживает синтаксис большинства языков программирования, в том числе и Java.

Итак, открываем текстовый редактор и пишем в нем код программы Hello World, цель которой — вывод на экран сообщения Hello World!

После написания этого кода, файл нужно сохранить под именем HelloWorld.java.
Для этого в вашем текстовом редакторе нужно выбрать пункт меню Файл-> Сохранить как… Если вы пользуетесь стандартным Блокнотом Windows, то для того, чтобы сохранить файл с расширением .java необходимо при сохранении выбрать Тип файла: Все файлы и ввести Имя файла: HelloWorld.java (рис 2.1).

Если вы пользуетесь Notepad++ то нужно выбрать Тип файла:Java source file (*.java)

Будьте внимательны! файл должен называться в точности так, как называется наш класс — HelloWorld. Так же важно учитывать регистр букв. HelloWorld и helloworld в данном случае это разные слова!

Обратите также внимание на кодировку в которой сохраняете файл. Должно быть выбрано ANSI . В Notepad++ кодировку можно установить в меню Кодировки.

Компиляция исходного файла

Исходный файл с кодом программы создан, теперь перейдем к компиляции. Для компиляции Java предназначен компилятор javac, который входит в состав установленного нами в первом уроке пакета JDK.

Для того, чтобы скомпилировать исходный файл, открываем командную строку. Для этого в меню Windows Пуск в строке поиска вводим команду cmd и жмем Enter. После этого откроется командное окно.

Теперь в нем нужно изменить текущий каталог на тот, в котором находится наш исходный файл (например C:studyjava). Для этого вводим следующую команду:

и нажимаем Enter.

После того, как директория изменилась, вводим команду компиляции

После этого, окно командной строки должно выглядеть следующим образом (рис 2.2):

То есть, мы не получим никакого подтверждения, о том, что программа скомпилировалась успешно. Однако, в папке с нашим исходным файлом, должен появиться файл HelloWorld.class. Это можно проверить с помощью команды

Эта команда выводит на экран список всех файлов, находящихся в выбранной директории (рис 2.3).

Если файл HelloWorld.class присутствует в этом списке, то это значит, что программа скомпилировалась успешно.

Если в коде программы есть ошибка, то компилятор Java при компиляции нам об этом сообщит.

Проведем эксперимент: Откроем в текстовом редакторе наш файл HelloWorld.java и удалим последнюю закрывающуюся фигурную скобку «>». Сохраним файл и попробуем его еще раз скомпилировать. В итоге получаем сообщение об ошибке (рис 2.4).

Чтобы исправить ошибку, нужно вновь открыть файл для редактирования, устранить ошибку, сохранить файл и еще раз его скомпилировать.

Запуск программы

Переходим к последней стадии — запуску программы.

Вводим в командном окне:

и если все перед этим было сделано правильно, то получаем результат — вывод сообщения «Hello World!» (рис 2.5).

Еще раз обратите внимание на чувствительность к регистру в Java. Если вы напишете helloworld вместо HelloWorld, то программа запущена не будет, потому что Java попросту не найдет файл с таким именем.

В качестве домашнего задания можете поэкспериментировать и выводить на экран какое-либо свое сообщение вместо Hello World!.

Конечно, для написания, компилирования и запуска программ на языке Java существуют более удобный инструмент, нежели Блокнот и командная строка . Этот так называемая Интегрированная среда обработки IDE. Об этом мы поговорим в следующем уроке.

Комментариев к записи: 95

здравствуйте, после того как я писала команду «javac HelloWorld.java» в командной строке, выдает такую ошибку: ‘javac’ is not recognized as an internal or external command, operable program or batch file. Что делать?

проверить переменную PATH, вероятно там не прописан или прописан неправильно путь к java

Здравствуйте, Мария!
Только приступил к изучению и нашел Ваши уроки полезными!
Но у меня, как и у моего товарища по несчастью выше, произошла та же ошибка!

Т.о. я создал в Path путь (единственное, что я сделал не совсем так, как у Вас написано, так прописал новый путь, удалив оттуда старый. Не станет ли это серьезной проблемой в дальнейшем?) и у меня выскакивает та же ошибка!… полазил по форумам, но проблема у людей близка к моей, но незначительно отличается, что в корне меняет ситуацию. Подскажите, пжл, еще варианты!
Заранее благодарю!

Если вы из переменной PATH удалили все, что там было, то проблемы возникнут с теми программами, которые там у вас были прописаны. А чем именно ваша проблема незначительно отличается?
Если вы имеете ввиду ошибку ‘javac’ is not recognized as an internal or external command, operable program or batch file.
То ничего нового посоветовать не могу, проблема в переменной path

Мария, проблему нашел: оказалось я определял ссылку на Program Files(x86), где у меня тоже есть папка с Джава, а НУЖНАЯ Джава была установлена в Program Files. Благо, пока все работает и распознается. Вам спасибо за ответ!

Тоже голову ломал на win8… 100 раз проверил правильность переменных… потом просто перезагрузил комп компилятор заработал)

Я извиняюсь, но я все по шагам 10 раз проверила, теперь пишет мне:
javac: file not found: HelloWorl.java
Usage: javac
use -help for a list of possible options
��

а вы в консоли находитесь в той дирректории, в которой файл HelloWorl.java ? и точно ли HelloWorl a не HelloWorld? Выглядит так, что java просто не видит ваш исходник. Введите комманду dir в консоли, перед тем, как компилировать, и посмотриете есть ли в списке ваш файл

Да все так сделала как вы сказали ! ничего не получается ((((

А у меня получилось только тогда, когда я HelloWorld.java перенес в C:Program FileJavajdk_xxxx(не помню число)in. Так же я пытался перенести в папку к HelloWorld.java файл javac, но ему не хватало jli.dll (я думаю, что если ЭТИ 2 файла перенести в папку к HelloWorld.java, то все получится. И да, кстати, переменную PATH я изменял, но все равно ничего не получалось(((

переносить свой код в системную папку java не правильно, лучше разберитесь с тем, почему у вас переменная PATH не срабатывает, а не рекомендуйте такие обходные пути.

Здравствуйте. Не получается перейти в директорию «studyjava». Что делать?

Не получается, потому что нет такой директории.
В команде нужно писать тот адрес, по которому расположен файл HelloWorld.java, а не тот, что указан для примера.

Доброго времени.
Установил jdk1.7.0_67, переменные прописал, на команду javac HelloWorld.java пишет не является внутренней или внешней командой….
Как быть подскажите пожалуйста!?

Вы скорее всего где-то ошиблись, когда прописывали переменную Path.

I wrote down CLASSPATH and PATH in my system variables already.
The CLASSPATH’s value is %classpath%;. And the PATH’s value is %path%;C:Program FilesJavajdk1.6.0_20in

I’m not sure if there are any errors in that above, so I just included it.
After this, created my source file, saved it in C:Program FilesJavajdk1.6.0_20in as MyFirstApp.java. So I open command prompt, enter: javac MyFirstApp.java

This is what comes up:

javac: file not found: MyFirstApp.java
Usage: javac
use -help for a list of possible options

After this, created my source file, saved it in C:Program FilesJavajdk1.6.0_20in as MyFirstApp.java. So I open command prompt, enter: javac MyFirstApp.java

First of all, saving sources in your JDK installation bin directory is not recommended. You should put put your sources somewhere else, like «C:Java»

javac: file not found: MyFirstApp.java

[My Blog]
All roads lead to JavaRanch

Я новичок в Java , пытаюсь скомпилировать свой первый файл Example.java :

В консоли появляется ошибка:

результат тот же.

Путь к папке C:MyJava прописан в переменной среды CLASSPATH .

Путь C:Program FilesJavajdk1.8.0_05 прописан в PATH .


posted 1 year ago

  • Mark post as helpful


  • send pies

    Number of slices to send:

    Optional ‘thank-you’ note:



  • Quote
  • Report post to moderator

Actually for all users coding with text editors, javac returns the error since it can’t find the file due to a hidden extension eg .txt for notepad or of any sort that appends on your saved Java txt file,,, in this case since it’s hidden it saves as namefile.java.txt,,,

I tried javac namefile.java.txt and still Java doesn’t seem to appreciate anything following .java,,, so I found out that you could resolve this by doing the following

Go to folder/file options>view then find and uncheck the hidden extension option in that list,, wallaa,,, apply,, ok,,, set and done,,, enjoy Java,,,

@cmdshorty

I’m not sure why this is happening as I have the latest JDK installed and added the PATH in my Environment Variables. But this is the error I’m getting in Atom AND in my Command Prompt:

javac: file not found: Lab1Main.java
Usage: javac <options> <source files>
use -help for a list of possible options
[Finished in 0.386s]

JAVA is all extremely new to me (only 2 weeks into the college course I’m taking currently) so I’m at the very bottom of knowing what to do here. (Not to mention, I’ve barely used Atom.) Do I need to set a PATH variable within Atom as well? I would really like to use Atom over Netbeans as it seems very easy to get things done.

Here’s a screen shot of my PATH variables.
capture

@GorvGoyl

Even I got the same error. Seem like it’s not getting the correct path of the java file. I’m opening from the atom icon.. could that be the cause?

[Command: cmd '/c javac -Xlint PalindromeExample.java && java PalindromeExample']
javac: file not found: PalindromeExample.java
Usage: javac <options> <source files>
use -help for a list of possible options
[Finished in 0.29s]

@stevenkuipers

Could you check if there are any spaces in the directory names and/or filenames? You can check this by running the script and then showing the output in the new tab (see image below for icon).

screen shot 2018-04-08 at 12 35 01

On mac (where I’m working on, having files and directories with spaces in them is no problem) but earlier this week I assisted someone with the same error: «file not found» on windows. Renaming the folder that had a space in it was a quick fix and afterward, it worked just fine. Only problem is that I don’t have windows machine available so I can’t do any further testing.

@dariens

I was able to get rid of this error by changing the ‘Default Current Working Director (CWD) Behavior’ to ‘Directory of the script’, in the ‘script’ Settings.

  1. Open Setting w/ in Atom (File>Settings)
  2. Click the ‘Packages’ tab w/ in Settings
  3. Search/Navigate to the ‘script’ package and click the ‘Settings’ tab.
  4. Change the ‘Default Current Working Directory (CWD) Behavior’ to ‘Directory of the script’

PS:
The line «javac: file not found: Lab1Main.java» is an error code produced by javac. This means that indeed javac was called and hence the error was not due to your path variables. The fact that javac cant find the file you are trying to run means that something is wrong with the <source files> argument provided to the javac command.

misaelvillaverde, harikannan512, batakpout, abhijeetaman007, chenkoo, Datta973, alvincrosse, muskan486, amolchourasia27, psammy007, and vishakha-lall reacted with thumbs up emoji
Datta973 reacted with hooray emoji
SHREYAROSE19 reacted with rocket emoji

@davidballad

Could you check if there are any spaces in the directory names and/or filenames? You can check this by running the script and then showing the output in the new tab (see image below for icon).

screen shot 2018-04-08 at 12 35 01

On mac (where I’m working on, having files and directories with spaces in them is no problem) but earlier this week I assisted someone with the same error: «file not found» on windows. Renaming the folder that had a space in it was a quick fix and afterward, it worked just fine. Only problem is that I don’t have windows machine available so I can’t do any further testing.

do you know how to get rid of the spaces?

@aminya

Should be fixed in #2470. Let me know if it is not.

Возможно, вам также будет интересно:

  • Java ошибка 1603 как исправить windows 10 64 bit
  • Java ошибка 112 как исправить
  • Java не скачивается ошибка 1603
  • Java не обновляется выдает ошибку
  • Java не загружается ошибка 1603

  • Понравилась статья? Поделить с друзьями:
    0 0 голоса
    Рейтинг статьи
    Подписаться
    Уведомить о
    guest

    0 комментариев
    Старые
    Новые Популярные
    Межтекстовые Отзывы
    Посмотреть все комментарии