Find (Unix)

find
Original author(s)Dick Haight
Developer(s)AT&T Bell Laboratories
Operating systemUnix, Unix-like, Plan 9, IBM i
PlatformCross-platform
TypeCommand

In Unix-like operating systems, find is a command-line utility that locates files based on some user-specified criteria and either prints the pathname of each matched object or, if another action is requested, performs that action on each matched object.

It initiates a search from a desired starting location and then recursively traverses the nodes (directories) of a hierarchical structure (typically a tree). find can traverse and search through different file systems of partitions belonging to one or more storage devices mounted under the starting directory.[1]

The possible search criteria include a pattern to match against the filename or a time range to match against the modification time or access time of the file. By default, find returns a list of all files below the current working directory, although users can limit the search to any desired maximum number of levels under the starting directory.

The related locate programs use a database of indexed files obtained through find (updated at regular intervals, typically by cron job) to provide a faster method of searching the entire file system for files by name.

History

find appeared in Version 5 Unix as part of the Programmer's Workbench project, and was written by Dick Haight alongside cpio,[2] which were designed to be used together.[3]

The GNU find implementation was originally written by Eric Decker. It was later enhanced by David MacKenzie, Jay Plett, and Tim Wood.[4]

The find command has also been ported to the IBM i operating system.[5]

Find syntax

$ find [-H|-L] path... [operand_expression...]

The two options control how the find command should treat symbolic links. The default behaviour is never to follow symbolic links. The -L flag will cause the find command to follow symbolic links. The -H flag will only follow symbolic links while processing the command line arguments. These flags are specified in the POSIX standard for find.[6] A common extension is the -P flag, for explicitly disabling symlink following.[7][8]

At least one path must precede the expression. find is capable of interpreting wildcards internally and commands must be quoted carefully in order to control shell globbing.

Expression elements are separated by the command-line argument boundary, usually represented as whitespace in shell syntax. They are evaluated from left to right. They can contain logical elements such as AND (-and or -a) and OR (-or or -o) as well as predicates (filters and actions).

GNU find has a large number of additional features not specified by POSIX.

Predicates

Commonly-used primaries include:

  • -name pattern: tests whether the file name matches the shell-glob pattern given.
  • -type type: tests whether the file is a given type. Unix file types accepted include:
  • -print: always returns true; prints the name of the current file plus a newline to the stdout.
  • -print0: always returns true; prints the name of the current file plus a null character to the stdout. Not required by POSIX.
  • -exec program [arguments...] ;: runs program with the given arguments, and returns true if its exit status was 0, false otherwise. If program, or an argument is {}, it will be replace by the current path (if program is {}, find will try to run the current path as an executable). POSIX doesn't specify what should happen if multiple {} are specified. Most implementations will replace all {} with the current path, but that is not standard behavior.
  • -exec program [arguments...] {} +: always returns true; run program with the given arguments, followed by as many paths as possible (multiple commands will be run if the maximum command-line size is exceeded, like for xargs).[6]
  • -ok program [arguments...] ;: for every path, prompts the user for confirmation; if the user confirms (typically by entering y or yes), it behaves like -exec program [arguments...] ;, otherwise the command is not run for the current path, and false is returned.
  • -maxdepth: Can be used to limit the directory depth to search through. For example, -maxdepth 1 limits search to the current directory.

If the expression uses none of -print0, -print, -exec, or -ok, find defaults to performing -print if the conditions test as true.

Operators

Operators can be used to enhance the expressions of the find command. Operators are listed in order of decreasing precedence:

  • ( expr ): forces precedence;
  • ! expr: true if expr is false;
  • expr1 expr2 (or expr1 -a expr2): AND. expr2 is not evaluated if expr1 is false;
  • expr1 -o expr2: OR. expr2 is not evaluated if expr1 is true.
$ find . -name 'fileA_*' -o -name 'fileB_*'

This command searches the current working directory tree for files whose names start with fileA_ or fileB_. We quote the fileA_* so that the shell does not expand it.

$ find . -name 'foo.cpp' '!' -path '.svn'

This command searches the current working directory tree except the subdirectory tree ".svn" for files whose name is "foo.cpp". We quote the ! so that it's not interpreted by the shell as the history substitution character.

POSIX protection from infinite output

Real-world file systems often contain looped structures created through the use of hard or soft links. The POSIX standard requires that

The find utility shall detect infinite loops; that is, entering a previously visited directory that is an ancestor of the last file encountered. When it detects an infinite loop, find shall write a diagnostic message to standard error and shall either recover its position in the hierarchy or terminate.

Examples

From the current working directory

$ find . -name 'my*'

This searches the current working directory tree for files whose names start with my. The single quotes avoid the shell expansion—without them the shell would replace my* with the list of files whose names begin with my in the current working directory. In newer versions of the program, the directory may be omitted, and it will imply the current working directory.

Regular files only

$ find . -name 'my*' -type f

This limits the results of the above search to only regular files, therefore excluding directories, special files, symbolic links, etc. my* is enclosed in single quotes (apostrophes) as otherwise the shell would replace it with the list of files in the current working directory starting with my...

Commands

The previous examples created listings of results because, by default, find executes the -print action. (Note that early versions of the find command had no default action at all; therefore the resulting list of files would be discarded, to the bewilderment of users.)

$ find . -name 'my*' -type f -ls

This prints extended file information.

Search all directories

$ find / -name myfile -type f -print

This searches every directory for a regular file whose name is myfile and prints it to the screen. It is generally not a good idea to look for files this way. This can take a considerable amount of time, so it is best to specify the directory more precisely. Some operating systems may mount dynamic file systems that are not congenial to find. More complex filenames including characters special to the shell may need to be enclosed in single quotes.

Search all but one subdirectory tree

$ find / -path excluded_path -prune -o -type f -name myfile -print

This searches every directory except the subdirectory tree excluded_path (full path including the leading /) that is pruned by the -prune action, for a regular file whose name is myfile.

Specify a directory

$ find /home/weedly -name myfile -type f -print

This searches the /home/weedly directory tree for regular files named myfile. You should always specify the directory to the deepest level you can remember.

Search several directories

$ find local /tmp -name mydir -type d -print

This searches the local subdirectory tree of the current working directory and the /tmp directory tree for directories named mydir.

Ignore errors

If you're doing this as a user other than root, you might want to ignore permission denied (and any other) errors. Since errors are printed to stderr, they can be suppressed by redirecting the output to /dev/null. The following example shows how to do this in the bash shell:

$ find / -name myfile -type f -print 2> /dev/null

If you are a csh or tcsh user, you cannot redirect stderr without redirecting stdout as well. You can use sh to run the find command to get around this:

$ sh -c "find / -name myfile -type f -print 2> /dev/null"

An alternate method when using csh or tcsh is to pipe the output from stdout and stderr into a grep command. This example shows how to suppress lines that contain permission denied errors.

$ find . -name myfile |& grep -v 'Permission denied'

Find any one of differently named files

$ find . \( -name '*jsp' -o -name '*java' \) -type f -ls

The -ls operator prints extended information, and the example finds any regular file whose name ends with either 'jsp' or 'java'. Note that the parentheses are required. In many shells the parentheses must be escaped with a backslash (\( and \)) to prevent them from being interpreted as special shell characters. The -ls operator is not available on all versions of find.

Execute an action

$ find /var/ftp/mp3 -name '*.mp3' -type f -exec chmod 644 {} \;

This command changes the permissions of all regular files whose names end with .mp3 in the directory tree /var/ftp/mp3. The action is carried out by specifying the statement -exec chmod 644 {} \; in the command. For every regular file whose name ends in .mp3, the command chmod 644 {} is executed replacing {} with the name of the file. The semicolon (backslashed to avoid the shell interpreting it as a command separator) indicates the end of the command. Permission 644, usually shown as rw-r--r--, gives the file owner full permission to read and write the file, while other users have read-only access. In some shells, the {} must be quoted. The trailing ";" is customarily quoted with a leading "\", but could just as effectively be enclosed in single quotes.

Note that the command itself should not be quoted; otherwise you get error messages like

find: echo "mv ./3bfn rel071204": No such file or directory

which means that find is trying to run a file called 'echo "mv ./3bfn rel071204"' and failing.

If you will be executing over many results, it is more efficient to use a variant of the exec primary that collects filenames up to ARG_MAX and then executes COMMAND with a list of filenames.

$ find . -exec COMMAND {} +

This will ensure that filenames with whitespaces are passed to the executed COMMAND without being split up by the shell.

Delete files and directories

The -delete action is a GNU extension, and using it turns on -depth. So, if you are testing a find command with -print instead of -delete in order to figure out what will happen before going for it, you need to use -depth -print.

Delete empty files and print the names (note that -empty is a vendor unique extension from GNU find that may not be available in all find implementations):

$ find . -empty -delete -print

Delete empty regular files:

$ find . -type f -empty -delete

Delete empty directories:

$ find . -type d -empty -delete

Delete empty files named 'bad':

$ find . -name bad -empty -delete

Warning. — The -delete action should be used with conditions such as -empty or -name:

$ find . -delete # this deletes all in .

Search for a string

This command will search all files from the /tmp directory tree for a string:

$ find /tmp -type f -exec grep 'search string' /dev/null '{}' \+

The /dev/null argument is used to show the name of the file before the text that is found. Without it, only the text found is printed. (Alternatively, some versions of grep support a -H flag that forces the file name to be printed.) GNU grep can be used on its own to perform this task:

$ grep -r 'search string' /tmp

Example of search for "LOG" in jsmith's home directory tree:

$ find ~jsmith -exec grep LOG '{}' /dev/null \; -print
/home/jsmith/scripts/errpt.sh:cp $LOG $FIXEDLOGNAME
/home/jsmith/scripts/errpt.sh:cat $LOG
/home/jsmith/scripts/title:USER=$LOGNAME

Example of search for the string "ERROR" in all XML files in the current working directory tree:

$ find . -name "*.xml" -exec grep "ERROR" /dev/null '{}' \+

The double quotes (" ") surrounding the search string and single quotes (' ') surrounding the braces are optional in this example, but needed to allow spaces and some other special characters in the string. Note with more complex text (notably in most popular shells descended from `sh` and `csh`) single quotes are often the easier choice, since double quotes do not prevent all special interpretation. Quoting filenames which have English contractions demonstrates how this can get rather complicated, since a string with an apostrophe in it is easier to protect with double quotes:

$ find . -name "file-containing-can't" -exec grep "can't" '{}' \; -print

Search for all files owned by a user

$ find . -user <userid>

Search in case insensitive mode

Note that -iname is not in the standard and may not be supported by all implementations.

$ find . -iname 'MyFile*'

If the -iname switch is not supported on your system then workaround techniques may be possible such as:

$ find . -name '[mM][yY][fF][iI][lL][eE]*'

Search files by size

Searching files whose size is between 100 kilobytes and 500 kilobytes:

$ find . -size +100k -a -size -500k

Searching empty files:

$ find . -size 0k

Searching non-empty files:

$ find . ! -size 0k

Search files by name and size

$ find /usr/src ! \( -name '*,v' -o -name '.*,v' \) '{}' \; -print

This command will search the /usr/src directory tree. All files that are of the form '*,v' and '.*,v' are excluded. Important arguments to note are in the tooltip that is displayed on mouse-over.

for file in $(find /opt \( -name error_log -o -name 'access_log' -o -name 'ssl_engine_log' -o -name 'rewrite_log' -o -name 'catalina.out' \) -size +300000k -a -size -5000000k); do 
    cat /dev/null > $file
done

The units should be one of [bckw], 'b' means 512-byte blocks, 'c' means byte, 'k' means kilobytes and 'w' means 2-byte words. The size does not count indirect blocks, but it does count blocks in sparse files that are not actually allocated.

Searching files by time

Date ranges can be used to, for example, list files changed since a backup.

  • -mtime : modification time
  • -ctime : inode change time
  • -atime : access time

Files modified a relative number of days ago:

  • +[number] = At least this many days ago.
  • -[number] = Less than so many days ago.
  • [number] = Exactly this many days ago.
  • Optionally add -daystart to measure time from the beginning of a day (0 o'clock) rather than the last 24 hours.

Example to find all text files in the document folder modified since a week (meaning 7 days):

$ find ~/Documents/ -iname "*.txt" -mtime -7

Files modified before or after an absolute date and time:

  • -newermt YYYY-MM-DD: Last modified after date
  • -not -newermt YYYY-MM-DD: Last modified before date

Example to find all text files last edited in February 2017:

$ find ~/Documents/ -iname "*.txt"  -newermt 2017-02-01 -not -newermt 2017-03-01
  • -newer [file]: More recently modified than specified file.
    • -cnewer: Same with inode change time.
    • -anewer: Same with access time.
    • Also prependable with -not for inverse results or range.

List all text files edited more recently than "document.txt":

$ find ~/Documents/ -iname "*.txt"  -newer document.txt
  • locate is a Unix search tool that searches a prebuilt database of files instead of directory trees of a file system. This is faster than find but less accurate because the database may not be up-to-date.
  • grep is a command-line utility for searching plain-text data sets for lines matching a regular expression and by default reporting matching lines on standard output.
  • tree is a command-line utility that recursively lists files found in a directory tree, indenting the filenames according to their position in the file hierarchy.
  • GNU Find Utilities (also known as findutils) is a GNU package which contains implementations of the tools find and xargs.
  • BusyBox is a utility that provides several stripped-down Unix tools in a single executable file, intended for embedded operating systems with very limited resources. It also provides a version of find.
  • dir has the /s option that recursively searches for files or directories.
  • Plan 9 from Bell Labs uses two utilities to replace find: a walk that only walks the tree and prints the names and a sor that only filters (like grep) by evaluating expressions in the form of a shell script. Arbitrary filters can be used via pipes. The commands are not part of Plan 9 from User Space, so Google's Benjamin Barenblat has a ported version to POSIX systems available through GitHub.[9]
  • fd is a simple alternative to find written in the Rust programming language.[10]

See also

References

  1. ^ "find(1) – Linux manual page". man7.org. Retrieved 2019-11-19.
  2. ^ McIlroy, M. D. (1987). A Research Unix reader: annotated excerpts from the Programmer's Manual, 1971–1986 (PDF) (Technical report). CSTR. Bell Labs. 139.
  3. ^ "libarchive/libarchive". GitHub. Retrieved 2015-10-04.
  4. ^ Finding Files
  5. ^ "IBM System i Version 7.2 Programming Qshell" (PDF). IBM. Retrieved 2020-09-05.
  6. ^ a b find: find files – Shell and Utilities Reference, The Single UNIX Specification, Version 4 from The Open Group
  7. ^ find(1) – FreeBSD General Commands Manual
  8. ^ find(1) – Linux User Manual – User Commands
  9. ^ "google / walk: Plan 9 style utilities to replace find(1)". GitHub. Retrieved 30 March 2020.
  10. ^ Peter, David (30 March 2020). "sharkdp/fd: A simple, fast and user-friendly alternative to 'find'". GitHub.

Read other articles:

Kabupaten WakatobiKabupatenAtas: Pantai Wakatobi, Kampung Bajau Bawah: Pemandangan laut Wakatobi LambangJulukan: Caribbean van CelebesPetaKabupaten WakatobiPetaTampilkan peta SulawesiKabupaten WakatobiKabupaten Wakatobi (Indonesia)Tampilkan peta IndonesiaKoordinat: 5°19′10″S 123°35′41″E / 5.31934°S 123.5948°E / -5.31934; 123.5948Negara IndonesiaProvinsiSulawesi TenggaraTanggal berdiri18 Desember 2003Dasar hukumUU RI Nomor 29 Tahun 2003Ibu kotaWang...

 

Avro 547 Tipo Avión comercial triplanoFabricante AvroPrimer vuelo Febrero de 1920Usuario principal QANTASN.º construidos 2[editar datos en Wikidata] El Avro 547 Limousine Triplane fue un avión comercial británico del período de entreguerras. Diseño y desarrollo Destinado al transporte comercial de pasajeros, este aparato utilizaba numerosos elementos de construcción del Avro 504. Tenía una estructura en bosque y un recubrimiento de tela, pero adoptaba una fórmula alar de tr...

 

Pasar Tanah Abang pada tahun 1900-anPasar Tanah Abang atau Pasar Sabtu dibangun oleh Yustinus Vinck[1] pada 30 Agustus 1735. Yustinus Vinck mendirikan Pasar Tanah Abang Pasar atas izin dari Gubernur Jenderal Abraham Patras. Izin yang diberikan saat itu untuk Pasar Tanah Abang adalah untuk berjualan tekstil serta barang kelontong dan hanya buka setiap hari Sabtu. Oleh karena itu, pasar ini disebut Pasar Sabtu. Pasar ini mampu menyaingi Pasar Senen (Welter Vreden) yang sudah lebih dulu ...

Battle in the 2022 Russian invasion of Ukraine For other uses, see Battle of Kyiv. Battle of KyivPart of the Kyiv offensive of the Russian invasion of UkraineAbove: Russian bombardment of the Kyiv TV Tower in Kyiv, 1 March 2022 Below: Situation around Kyiv, as of 2 AprilDate25 February – 2 April 2022(1 month, 1 week and 1 day)LocationKyiv, UkraineResult Ukrainian victory[3]Belligerents  Russia  UkraineSupported by: Belarusian opposition[1][2]...

 

كلية الجراحين الملكيةمعلومات عامةصنف فرعي من كلية ملكيةmedical association (en) البلد المملكة المتحدة تعديل - تعديل مصدري - تعديل ويكي بيانات إن كلية الجراحين الملكية أو كلية الجراحة الملكية هي أحد أنواع المؤسسات التي أسسها العديد من الأعضاء الحاليين والسابقين من دول الكومنولث، وهذ...

 

Marcelino Menéndez Marcelino Menéndez PintadoInformación personalNombre de nacimiento Marcelino Menéndez PintadoNacimiento 26 de septiembre de 1823Castropol (Asturias), EspañaFallecimiento 13 de mayo de 1899, 75 añosSantander (Cantabria), EspañaNacionalidad españolaFamiliaPadres Francisco Antonio Menéndez y Josefa PintadoCónyuge María Jesús Pelayo y EspañaHijos Marcelino, Enrique, Jesusa y AgustínEducaciónEducado en Universidad de OviedoUniversidad Central Información profesio...

Watashi ni Tenshi ga Maiorita!Gambar sampul manga volume pertama私に天使が舞い降りた!(Watashi ni Tenshi ga Maiorita!)GenreKomedi,[1] yuri[2] MangaPengarangNanatsu MukunokiPenerbitIchijinshaMajalahComic Yuri HimeTerbit18 November 2016 (2016-11-18) – sekarangVolume10 (Daftar volume) Seri animeSutradaraDaisuke HiramakiSkenarioYuka YamadaMusikTakurō IgaStudioDoga KoboPelisensiNA CrunchyrollSaluranasliTokyo MX, BS11, KBS, SUN, TVA, TVQTayang 8 Januari 2019 (2...

 

AVV-VVK op de grafsteen van Joe English zelf, Diksmuide AVV-VVK zowel op de crypte van de IJzertoren, als op de achterliggende IJzertoren, Diksmuide AVV-VVK of Alles Voor Vlaanderen, Vlaanderen Voor Kristus is een bekende leuze uit de Vlaamse Beweging. In het eerste nummer van het tijdschrift De Student ondertekende seminarist Frans Drijvers uit Rotselaar in 1881 een artikel met deze woorden. Of de leuze door hem zelf of door een van de andere initiatiefnemers van De Student werd bedacht is n...

 

صليعة صليعه  - قرية -  تقسيم إداري البلد  إيران المحافظة محافظة خوزستان المقاطعة مقاطعة باوي الناحية الناحية المركزية القسم الريفي قسم ملاثاني الريفي السكان التعداد السكاني 810 نسمة (إحصاء 2016) معلومات أخرى التوقيت توقيت إيران (+3:30 غرينيتش) توقيت صيفي توقيت إيران ...

AméricaNama lengkapAmérica Futebol ClubeJulukanCoelho (Kelinci)Berdiri30 April 1912; 111 tahun lalu (1912-04-30)StadionEstádio Independência, Belo Horizonte(Kapasitas: 23,018)Ketua Marcos SalumPelatih kepala Paulo ComelliLigaCampeonato Brasileiro Série C2012Série B, 8th [[Perlengkapan pemain (sepak bola)|]] kandang [[Perlengkapan pemain (sepak bola)|]] tandang América Futebol Clube (dikenal sebagai América Mineiro atau hanya América) adalah tim sepak bola profesional asal Brasil...

 

Gertrude merupakan kawah besar di dekat bagian atas citra Voyager 2 ini. Gertrude merupakan kawah terbesar yang diketahui pada satelit Uranus, yakni Titania. Kawah ini memiliki diameter sebesar 362 km,[1] 1/5 dari diameter Titania.[a] Nama kawah ini diambil dari nama ibu Hamlet, karakter dalam karya William Shakespeare berjudul Hamlet.[1] Nama ketampakan di Titania diilhami oleh karakter-karakter perempuan karya Shakespeare. Tepi kawah Gertrude berada 2 km le...

 

Cette basilique n’est pas la seule basilique Notre-Dame-de-l'Assomption. Basilique Notre-Dame-de-l'Assomption de La Guerche-de-Bretagne Façade occidentale de la basilique Présentation Culte catholique romain Dédicataire Assomption de Marie Type basilique Rattachement Archidiocèse de Rennes, Dol et Saint-Malo Architecte Arthur Regnault (XIXème) Style dominant roman, gothique et néo-gothique Protection  Classé MH (1913)[1] Site web Paroisse Notre Dame de la Guerche Géographi...

This is a dynamic list and may never be able to satisfy particular standards for completeness. You can help by adding missing items with reliable sources. The Castro, the center of LGBT culture in San Francisco Part of a series onLGBT topics       LesbianGayBisexualTransgender Sexual orientation and gender Aromanticism Asexuality Gray asexuality Biology Bisexuality Pansexuality Demographics Environment Gender fluidity Gender identity Gender role Gender variance H...

 

American basketball player Kyle BaroneFree agentPositionCenterPersonal informationBorn (1989-09-12) September 12, 1989 (age 34)Orange County, California, U. S.Listed height6 ft 10 in (2.08 m)Listed weight250 lb (113 kg)Career informationHigh school Pacifica (Garden Grove, California) Summit Prep (Redwood City, California) CollegeIdaho (2009–2013)NBA draft2013: undraftedPlaying career2013–presentCareer history2013PGE Turów Zgorzelec2014Alba Fehérvár2014–2...

 

This article has multiple issues. Please help improve it or discuss these issues on the talk page. (Learn how and when to remove these template messages) This article may need to be rewritten to comply with Wikipedia's quality standards. You can help. The talk page may contain suggestions. (January 2015) This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sourc...

У этого термина существуют и другие значения, см. Недра (значения). Издательство «Недра» Основано 1963 год Страна  СССР →  Россия Адрес Москва, Научный проезд, дом 19(55°39′11″ с. ш. 37°33′14″ в. д.HGЯO) Главный редактор Рубинская Татьяна Константиновна[источник ...

 

American singer and actress (born 1999) Sabrina CarpenterCarpenter in 2020BornSabrina Annlynn Carpenter (1999-05-11) May 11, 1999 (age 24)Quakertown, Pennsylvania, U.S.[1]OccupationsSingeractressYears active2011–presentWorksDiscographylive performancesRelativesNancy Cartwright (aunt)[2][3]Musical careerGenresPopteen popdance-pop[4]R&B[5]electropopLabelsHollywoodIsland[6] Musical artistWebsitesabrinacarpenter.com Sabrina Annlynn C...

 

坐标:1°17′26″N 103°51′06.5″E / 1.29056°N 103.851806°E / 1.29056; 103.851806 政府大厦Dewan Bandaraya Singapura政府大厦曾用名市政大樓概要建築風格新古典主義建築所屬國家/地區 新加坡地點市中心地址新加坡 3 St Andrew's Road 178958坐标1°17′26″N 103°51′06″E / 1.2906°N 103.8518°E / 1.2906; 103.8518邮政编码178957现居租户新加坡國家美術館起造日1926年,&#x...

Untuk kegunaan lain, lihat Greenwich (disambiguasi). Koordinat: 51°28′45″N 0°00′00″E / 51.4791°N 0.0000°E / 51.4791; 0.0000 Royal Greenwich Royal Observatory, Greenwich Royal Greenwich Letak Royal Greenwich di London Raya Borough London County seremonial Greater London Wilayah London Negara konstituen Inggris Negara berdaulat Britania Raya Kota pos LONDON Distrik kode pos SE10 Kode telepon 020 Polisi Metropolitan Pemadam k...

 

Oleg Kótov Información personalNacimiento 27 de octubre de 1965 (58 años)Simferópol (Unión Soviética) Nacionalidad RusaLengua materna Ruso EducaciónEducado en Academia Médico Militar S.M. Kirov (hasta 1988)Kacha Higher Military Aviation School of Pilots (hasta 1998) Información profesionalOcupación Astronauta y médico Cargos ocupados Comandante de expedición ISS de Expedition 23 (2010)Comandante de expedición ISS de Expedición 38 (2013-2014) Rango militar Ten...

 

Strategi Solo vs Squad di Free Fire: Cara Menang Mudah!