QDir¶
Synopsis¶
Functions¶
def
__eq__
(dir)def
__ne__
(dir)def
__reduce__
()def
absoluteFilePath
(fileName)def
absolutePath
()def
canonicalPath
()def
cd
(dirName)def
cdUp
()def
count
()def
dirName
()def
entryInfoList
([filters=QDir.NoFilter[, sort=QDir.NoSort]])def
entryInfoList
(nameFilters[, filters=QDir.NoFilter[, sort=QDir.NoSort]])def
entryList
([filters=QDir.NoFilter[, sort=QDir.NoSort]])def
entryList
(nameFilters[, filters=QDir.NoFilter[, sort=QDir.NoSort]])def
exists
()def
exists
(name)def
filePath
(fileName)def
filter
()def
isAbsolute
()def
isEmpty
([filters=QDir.Filters(AllEntries | NoDotAndDotDot)])def
isReadable
()def
isRelative
()def
isRoot
()def
makeAbsolute
()def
mkdir
(dirName)def
mkpath
(dirPath)def
nameFilters
()def
operator=
(path)def
operator[]
(arg__1)def
path
()def
refresh
()def
relativeFilePath
(fileName)def
remove
(fileName)def
removeRecursively
()def
rename
(oldName, newName)def
rmdir
(dirName)def
rmpath
(dirPath)def
setFilter
(filter)def
setNameFilters
(nameFilters)def
setPath
(path)def
setSorting
(sort)def
sorting
()def
swap
(other)
Static functions¶
def
addResourceSearchPath
(path)def
addSearchPath
(prefix, path)def
cleanPath
(path)def
current
()def
currentPath
()def
drives
()def
fromNativeSeparators
(pathName)def
home
()def
homePath
()def
isAbsolutePath
(path)def
isRelativePath
(path)def
listSeparator
()def
match
(filter, fileName)def
match
(filters, fileName)def
nameFiltersFromString
(nameFilter)def
root
()def
rootPath
()def
searchPaths
(prefix)def
separator
()def
setCurrent
(path)def
setSearchPaths
(prefix, searchPaths)def
temp
()def
tempPath
()def
toNativeSeparators
(pathName)
Detailed Description¶
A
QDir
is used to manipulate path names, access information regarding paths and files, and manipulate the underlying file system. It can also be used to access Qt’s resource system .Qt uses “/” as a universal directory separator in the same way that “/” is used as a path separator in URLs. If you always use “/” as a directory separator, Qt will translate your paths to conform to the underlying operating system.
A
QDir
can point to a file using either a relative or an absolute path. Absolute paths begin with the directory separator (optionally preceded by a drive specification under Windows). Relative file names begin with a directory name or a file name and specify a path relative to the current directory.Examples of absolute paths:
QDir("/home/user/Documents") QDir("C:/Documents and Settings")On Windows, the second example above will be translated to
C:\Users
when used to access files.Examples of relative paths:
QDir("images/landscape.png")You can use the
isRelative()
orisAbsolute()
functions to check if aQDir
is using a relative or an absolute file path. CallmakeAbsolute()
to convert a relativeQDir
to an absolute one.Note
Paths starting with a colon (: ) are always considered absolute, as they denote a
QResource
.
Files and Directory Contents¶
Directories contain a number of entries, representing files, directories, and symbolic links. The number of entries in a directory is returned by
count()
. A string list of the names of all the entries in a directory can be obtained withentryList()
. If you need information about each entry, useentryInfoList()
to obtain a list ofQFileInfo
objects.Paths to files and directories within a directory can be constructed using
filePath()
andabsoluteFilePath()
. ThefilePath()
function returns a path to the specified file or directory relative to the path of theQDir
object;absoluteFilePath()
returns an absolute path to the specified file or directory. Neither of these functions checks for the existence of files or directory; they only construct paths.directory = QDir("Documents/Letters") path = directory.filePath("contents.txt") absolutePath = directory.absoluteFilePath("contents.txt")Files can be removed by using the
remove()
function. Directories cannot be removed in the same way as files; usermdir()
to remove them instead.It is possible to reduce the number of entries returned by
entryList()
andentryInfoList()
by applying filters to aQDir
object. You can apply a name filter to specify a pattern with wildcards that file names need to match, an attribute filter that selects properties of entries and can distinguish between files and directories, and a sort order.Name filters are lists of strings that are passed to
setNameFilters()
. Attribute filters consist of a bitwise OR combination of Filters, and these are specified when callingsetFilter()
. The sort order is specified usingsetSorting()
with a bitwise OR combination ofSortFlags
.You can test to see if a filename matches a filter using the
match()
function.Filter and sort order flags may also be specified when calling
entryList()
andentryInfoList()
in order to override previously defined behavior.
The Current Directory and Other Special Paths¶
Access to some common directories is provided with a number of static functions that return
QDir
objects. There are also corresponding functions for these that return strings:
QString
Return Value
The application’s working directory
The user’s home directory
The root directory
The system’s temporary directory
The
setCurrent()
static function can also be used to set the application’s working directory.If you want to find the directory containing the application’s executable, see
applicationDirPath()
.The
drives()
static function provides a list of root directories for each device that contains a filing system. On Unix systems this returns a list containing a single root directory “/”; on Windows the list will usually containC:/
, and possibly other drive letters such asD:/
, depending on the configuration of the user’s system.
Path Manipulation and Strings¶
Paths containing “.” elements that reference the current directory at that point in the path, “..” elements that reference the parent directory, and symbolic links can be reduced to a canonical form using the
canonicalPath()
function.Paths can also be simplified by using
cleanPath()
to remove redundant “/” and “..” elements.It is sometimes necessary to be able to show a path in the native representation for the user’s platform. The static
toNativeSeparators()
function returns a copy of the specified path in which each directory separator is replaced by the appropriate separator for the underlying operating system.
Examples¶
Check if a directory exists:
dir = QDir("example") if not dir.exists(): print "Cannot find the example directory"(We could also use the static convenience function
exists()
.)Traversing directories and reading a file:
dir = QDir.root() # "/" if not dir.cd("tmp"): # "/tmp" print "Cannot find the \"/tmp\" directory" else: file = QFile(dir.filePath("ex1.txt")) # "/tmp/ex1.txt" if !file.open(QIODevice.ReadWrite): print "Cannot create the file %s" % (file.name())A program that lists all the files in the current directory (excluding symbolic links), sorted by size, smallest first:
from PySide2.QtCore import QDir, QCoreApplication import sys app = QCoreApplication(sys.argv) directory = QDir() directory.setFilter(QDir.Files | QDir.Hidden | QDir.NoSymLinks) directory.setSorting(QDir.Size | QDir.Reversed) for entry in directory.entryInfoList(): print "%s %s" % (entry.size(), entry.fileName())See also
QFileInfo
QFile
QFileDialog
applicationDirPath()
Find Files Example
- class PySide2.QtCore.QDir(arg__1)¶
PySide2.QtCore.QDir([path=””])
PySide2.QtCore.QDir(path, nameFilter[, sort=QDir.SortFlags(Name | IgnoreCase)[, filter=QDir.AllEntries]])
- param filter:
Filters
- param path:
str
- param arg__1:
- param nameFilter:
str
- param sort:
SortFlags
Constructs a
QDir
with pathpath
, that filters its entries by name usingnameFilter
and by attributes usingfilters
. It also sorts the names usingsort
.The default
nameFilter
is an empty string, which excludes nothing; the defaultfilters
isAllEntries
, which also means exclude nothing. The defaultsort
isName
|IgnoreCase
, i.e. sort by name case-insensitively.If
path
is an empty string,QDir
uses “.” (the current directory). IfnameFilter
is an empty string,QDir
uses the name filter “*” (all files).Note that
path
need not exist.
- PySide2.QtCore.QDir.Filter¶
This enum describes the filtering options available to
QDir
; e.g. forentryList()
andentryInfoList()
. The filter value is specified by combining values from the following list using the bitwise OR operator:Constant
Description
QDir.Dirs
List directories that match the filters.
QDir.AllDirs
List all directories; i.e. don’t apply the filters to directory names.
QDir.Files
List files.
QDir.Drives
List disk drives (ignored under Unix).
QDir.NoSymLinks
Do not list symbolic links (ignored by operating systems that don’t support symbolic links).
QDir.NoDotAndDotDot
Do not list the special entries “.” and “..”.
QDir.NoDot
Do not list the special entry “.”.
QDir.NoDotDot
Do not list the special entry “..”.
QDir.AllEntries
List directories, files, drives and symlinks (this does not list broken symlinks unless you specify System).
QDir.Readable
List files for which the application has read access. The Readable value needs to be combined with Dirs or Files.
QDir.Writable
List files for which the application has write access. The Writable value needs to be combined with Dirs or Files.
QDir.Executable
List files for which the application has execute access. The Executable value needs to be combined with Dirs or Files.
QDir.Modified
Only list files that have been modified (ignored on Unix).
QDir.Hidden
List hidden files (on Unix, files starting with a “.”).
QDir.System
List system files (on Unix, FIFOs, sockets and device files are included; on Windows,
.lnk
files are included)QDir.CaseSensitive
The filter should be case sensitive.
Functions that use Filter enum values to filter lists of files and directories will include symbolic links to files and directories unless you set the value.
A default constructed
QDir
will not filter out files based on their permissions, soentryList()
andentryInfoList()
will return all files that are readable, writable, executable, or any combination of the three. This makes the default easy to write, and at the same time useful.For example, setting the
Readable
,Writable
, andFiles
flags allows all files to be listed for which the application has read access, write access or both. If theDirs
andDrives
flags are also included in this combination then all drives, directories, all files that the application can read, write, or execute, and symlinks to such files/directories can be listed.To retrieve the permissions for a directory, use the
entryInfoList()
function to get the associatedQFileInfo
objects and then use thepermissions()
to obtain the permissions and ownership for each file.
- PySide2.QtCore.QDir.SortFlag¶
This enum describes the sort options available to
QDir
, e.g. forentryList()
andentryInfoList()
. The sort value is specified by OR-ing together values from the following list:Constant
Description
QDir.Name
Sort by name.
QDir.Time
Sort by time (modification time).
QDir.Size
Sort by file size.
QDir.Type
Sort by file type (extension).
QDir.Unsorted
Do not sort.
QDir.NoSort
Not sorted by default.
QDir.DirsFirst
Put the directories first, then the files.
QDir.DirsLast
Put the files first, then the directories.
QDir.Reversed
Reverse the sort order.
QDir.IgnoreCase
Sort case-insensitively.
QDir.LocaleAware
Sort items appropriately using the current locale settings.
You can only specify one of the first four.
If you specify both and Reversed, directories are still put first, but in reverse order; the files will be listed after the directories, again in reverse order.
- PySide2.QtCore.QDir.__reduce__()¶
- Return type:
object
- PySide2.QtCore.QDir.absoluteFilePath(fileName)¶
- Parameters:
fileName – str
- Return type:
str
Returns the absolute path name of a file in the directory. Does not check if the file actually exists in the directory; but see
exists()
. Redundant multiple separators or “.” and “..” directories infileName
are not removed (seecleanPath()
).See also
- PySide2.QtCore.QDir.absolutePath()¶
- Return type:
str
Returns the absolute path (a path that starts with “/” or with a drive specification), which may contain symbolic links, but never contains redundant “.”, “..” or multiple separators.
- static PySide2.QtCore.QDir.addResourceSearchPath(path)¶
- Parameters:
path – str
Note
This function is deprecated.
Use
addSearchPath()
with a prefix instead.Adds
path
to the search paths searched in to find resources that are not specified with an absolute path. The default search path is to search only in the root (:/
).See also
- static PySide2.QtCore.QDir.addSearchPath(prefix, path)¶
- Parameters:
prefix – str
path – str
Adds
path
to the search path forprefix
.See also
- PySide2.QtCore.QDir.canonicalPath()¶
- Return type:
str
Returns the canonical path, i.e. a path without symbolic links or redundant “.” or “..” elements.
On systems that do not have symbolic links this function will always return the same string that
absolutePath()
returns. If the canonical path does not exist (normally due to dangling symbolic links) returns an empty string.Example:
bin = "/local/bin" # where /local/bin is a symlink to /usr/bin binDir = QDir(bin) canonicalBin = binDir.canonicalPath() # canonicalBin now equals "/usr/bin" ls = "/local/bin/ls" # where ls is the executable "ls" lsDir = QDir(ls) canonicalLs = lsDir.canonicalPath() # canonicalLS now equals "/usr/bin/ls".
- PySide2.QtCore.QDir.cd(dirName)¶
- Parameters:
dirName – str
- Return type:
bool
Changes the
QDir
‘s directory todirName
.Returns
true
if the new directory exists; otherwise returnsfalse
. Note that the logical operation is not performed if the new directory does not exist.Calling cd(“..”) is equivalent to calling
cdUp()
.See also
- PySide2.QtCore.QDir.cdUp()¶
- Return type:
bool
Changes directory by moving one directory up from the
QDir
‘s current directory.Returns
true
if the new directory exists; otherwise returnsfalse
. Note that the logical operation is not performed if the new directory does not exist.See also
- static PySide2.QtCore.QDir.cleanPath(path)¶
- Parameters:
path – str
- Return type:
str
Returns
path
with directory separators normalized (that is, platform-native separators converted to “/”) and redundant ones removed, and “.”s and “..”s resolved (as far as possible).Symbolic links are kept. This function does not return the canonical path, but rather the simplest version of the input. For example, “./local” becomes “local”, “local/../bin” becomes “bin” and “/local/usr/../bin” becomes “/local/bin”.
See also
- PySide2.QtCore.QDir.count()¶
- Return type:
uint
Returns the total number of directories and files in the directory.
Equivalent to
entryList()
..See also
operator[]()
entryList()
- static PySide2.QtCore.QDir.current()¶
- Return type:
Returns the application’s current directory.
The directory is constructed using the absolute path of the current directory, ensuring that its
path()
will be the same as itsabsolutePath()
.See also
- static PySide2.QtCore.QDir.currentPath()¶
- Return type:
str
Returns the absolute path of the application’s current directory. The current directory is the last directory set with
setCurrent()
or, if that was never called, the directory at which this application was started at by the parent process.
- PySide2.QtCore.QDir.dirName()¶
- Return type:
str
Returns the name of the directory; this is not the same as the path, e.g. a directory with the name “mail”, might have the path “/var/spool/mail”. If the directory has no name (e.g. it is the root directory) an empty string is returned.
No check is made to ensure that a directory with this name actually exists; but see
exists()
.See also
- static PySide2.QtCore.QDir.drives()¶
- Return type:
Returns a list of the root directories on this system.
On Windows this returns a list of
QFileInfo
objects containing “C:/”, “D:/”, etc. This does not return drives with ejectable media that are empty. On other operating systems, it returns a list containing just one root directory (i.e. “/”).See also
- PySide2.QtCore.QDir.entryInfoList([filters=QDir.NoFilter[, sort=QDir.NoSort]])¶
- Parameters:
filters –
Filters
sort –
SortFlags
- Return type:
This is an overloaded function.
Returns a list of
QFileInfo
objects for all the files and directories in the directory, ordered according to the name and attribute filters previously set withsetNameFilters()
andsetFilter()
, and sorted according to the flags set withsetSorting()
.The attribute filter and sorting specifications can be overridden using the
filters
andsort
arguments.Returns an empty list if the directory is unreadable, does not exist, or if nothing matches the specification.
- PySide2.QtCore.QDir.entryInfoList(nameFilters[, filters=QDir.NoFilter[, sort=QDir.NoSort]])
- Parameters:
nameFilters – list of strings
filters –
Filters
sort –
SortFlags
- Return type:
Returns a list of
QFileInfo
objects for all the files and directories in the directory, ordered according to the name and attribute filters previously set withsetNameFilters()
andsetFilter()
, and sorted according to the flags set withsetSorting()
.The name filter, file attribute filter, and sorting specification can be overridden using the
nameFilters
,filters
, andsort
arguments.Returns an empty list if the directory is unreadable, does not exist, or if nothing matches the specification.
- PySide2.QtCore.QDir.entryList([filters=QDir.NoFilter[, sort=QDir.NoSort]])¶
- Parameters:
filters –
Filters
sort –
SortFlags
- Return type:
list of strings
This is an overloaded function.
Returns a list of the names of all the files and directories in the directory, ordered according to the name and attribute filters previously set with
setNameFilters()
andsetFilter()
, and sorted according to the flags set withsetSorting()
.The attribute filter and sorting specifications can be overridden using the
filters
andsort
arguments.Returns an empty list if the directory is unreadable, does not exist, or if nothing matches the specification.
Note
To list symlinks that point to non existing files,
System
must be passed to the filter.
- PySide2.QtCore.QDir.entryList(nameFilters[, filters=QDir.NoFilter[, sort=QDir.NoSort]])
- Parameters:
nameFilters – list of strings
filters –
Filters
sort –
SortFlags
- Return type:
list of strings
Returns a list of the names of all the files and directories in the directory, ordered according to the name and attribute filters previously set with
setNameFilters()
andsetFilter()
, and sorted according to the flags set withsetSorting()
.The name filter, file attribute filter, and sorting specification can be overridden using the
nameFilters
,filters
, andsort
arguments.Returns an empty list if the directory is unreadable, does not exist, or if nothing matches the specification.
- PySide2.QtCore.QDir.exists()¶
- Return type:
bool
This is an overloaded function.
Returns
true
if the directory exists; otherwise returnsfalse
. (If a file with the same name is found this function will return false).The overload of this function that accepts an argument is used to test for the presence of files and directories within a directory.
- PySide2.QtCore.QDir.exists(name)
- Parameters:
name – str
- Return type:
bool
Returns
true
if the file calledname
exists; otherwise returns false.Unless
name
contains an absolute file path, the file name is assumed to be relative to the directory itself, so this function is typically used to check for the presence of files within a directory.
- PySide2.QtCore.QDir.filePath(fileName)¶
- Parameters:
fileName – str
- Return type:
str
Returns the path name of a file in the directory. Does not check if the file actually exists in the directory; but see
exists()
. If theQDir
is relative the returned path name will also be relative. Redundant multiple separators or “.” and “..” directories infileName
are not removed (seecleanPath()
).
- PySide2.QtCore.QDir.filter()¶
- Return type:
Filters
Returns the value set by
setFilter()
See also
- static PySide2.QtCore.QDir.fromNativeSeparators(pathName)¶
- Parameters:
pathName – str
- Return type:
str
Returns
pathName
using ‘/’ as file separator. On Windows, for instance, (”c:\\winnt\\system32
“) returns “c:/winnt/system32”.The returned string may be the same as the argument on some operating systems, for example on Unix.
See also
- static PySide2.QtCore.QDir.home()¶
- Return type:
Returns the user’s home directory.
The directory is constructed using the absolute path of the home directory, ensuring that its
path()
will be the same as itsabsolutePath()
.See
homePath()
for details.
- static PySide2.QtCore.QDir.homePath()¶
- Return type:
str
Returns the absolute path of the user’s home directory.
Under Windows this function will return the directory of the current user’s profile. Typically, this is:
C:/Documents and Settings/Username
Use the
toNativeSeparators()
function to convert the separators to the ones that are appropriate for the underlying operating system.If the directory of the current user’s profile does not exist or cannot be retrieved, the following alternatives will be checked (in the given order) until an existing and available path is found:
The path specified by the
USERPROFILE
environment variable.The path formed by concatenating the
HOMEDRIVE
andHOMEPATH
environment variables.The path specified by the
HOME
environment variable.The path returned by the
rootPath()
function (which uses theSystemDrive
environment variable)The
C:/
directory.
Under non-Windows operating systems the
HOME
environment variable is used if it exists, otherwise the path returned by therootPath()
.See also
- PySide2.QtCore.QDir.isAbsolute()¶
- Return type:
bool
Returns
true
if the directory’s path is absolute; otherwise returnsfalse
. SeeisAbsolutePath()
.Note
Paths starting with a colon (: ) are always considered absolute, as they denote a
QResource
.See also
- static PySide2.QtCore.QDir.isAbsolutePath(path)¶
- Parameters:
path – str
- Return type:
bool
Returns
true
ifpath
is absolute; returnsfalse
if it is relative.Note
Paths starting with a colon (: ) are always considered absolute, as they denote a
QResource
.
- PySide2.QtCore.QDir.isEmpty([filters=QDir.Filters(AllEntries | NoDotAndDotDot)])¶
- Parameters:
filters –
Filters
- Return type:
bool
Returns whether the directory is empty.
Equivalent to
count() == 0
with filtersQDir::AllEntries | QDir::NoDotAndDotDot
, but faster as it just checks whether the directory contains at least one entry.Note
Unless you set the
filters
flags to includeQDir::NoDotAndDotDot
(as the default value does), no directory is empty.See also
- PySide2.QtCore.QDir.isReadable()¶
- Return type:
bool
Returns
true
if the directory is readable and we can open files by name; otherwise returnsfalse
.Warning
A false value from this function is not a guarantee that files in the directory are not accessible.
See also
- PySide2.QtCore.QDir.isRelative()¶
- Return type:
bool
Returns
true
if the directory path is relative; otherwise returns false. (Under Unix a path is relative if it does not start with a “/”).Note
Paths starting with a colon (: ) are always considered absolute, as they denote a
QResource
.
- static PySide2.QtCore.QDir.isRelativePath(path)¶
- Parameters:
path – str
- Return type:
bool
Returns
true
ifpath
is relative; returnsfalse
if it is absolute.Note
Paths starting with a colon (: ) are always considered absolute, as they denote a
QResource
.See also
- PySide2.QtCore.QDir.isRoot()¶
- Return type:
bool
Returns
true
if the directory is the root directory; otherwise returnsfalse
.Note: If the directory is a symbolic link to the root directory this function returns
false
. If you want to test for this usecanonicalPath()
, e.g.dir = QDir("/tmp/root_link") dir = dir.canonicalPath() if dir.isRoot(): print "It is a root link"
See also
- static PySide2.QtCore.QDir.listSeparator()¶
- Return type:
QChar
Returns the native path list separator: ‘:’ under Unix and ‘;’ under Windows.
See also
- PySide2.QtCore.QDir.makeAbsolute()¶
- Return type:
bool
Converts the directory path to an absolute path. If it is already absolute nothing happens. Returns
true
if the conversion succeeded; otherwise returnsfalse
.
- static PySide2.QtCore.QDir.match(filters, fileName)¶
- Parameters:
filters – list of strings
fileName – str
- Return type:
bool
- static PySide2.QtCore.QDir.match(filter, fileName)
- Parameters:
filter – str
fileName – str
- Return type:
bool
- PySide2.QtCore.QDir.mkdir(dirName)¶
- Parameters:
dirName – str
- Return type:
bool
Creates a sub-directory called
dirName
.Returns
true
on success; otherwise returnsfalse
.If the directory already exists when this function is called, it will return false.
See also
- PySide2.QtCore.QDir.mkpath(dirPath)¶
- Parameters:
dirPath – str
- Return type:
bool
Creates the directory path
dirPath
.The function will create all parent directories necessary to create the directory.
Returns
true
if successful; otherwise returnsfalse
.If the path already exists when this function is called, it will return true.
See also
- PySide2.QtCore.QDir.nameFilters()¶
- Return type:
list of strings
Returns the string list set by
setNameFilters()
See also
- static PySide2.QtCore.QDir.nameFiltersFromString(nameFilter)¶
- Parameters:
nameFilter – str
- Return type:
list of strings
Returns a list of name filters from the given
nameFilter
. (If there is more than one filter, each pair of filters is separated by a space or by a semicolon.)
- PySide2.QtCore.QDir.__ne__(dir)¶
- Parameters:
dir –
PySide2.QtCore.QDir
- Return type:
bool
Returns
true
if directorydir
and this directory have different paths or different sort or filter settings; otherwise returns false.Example:
// The current directory is "/usr/local" d1 = QDir("/usr/local/bin") d1.setFilter(QDir.Executable) d2 = QDir("bin") if d1 != d2: print "They differ"
- PySide2.QtCore.QDir.operator=(path)
- Parameters:
path – str
- Return type:
Note
This function is deprecated.
- PySide2.QtCore.QDir.__eq__(dir)¶
- Parameters:
dir –
PySide2.QtCore.QDir
- Return type:
bool
Returns
true
if directorydir
and this directory have the same path and their sort and filter settings are the same; otherwise returnsfalse
.Example:
# The current directory is "/usr/local" d1 = QDir("/usr/local/bin") d2 = QDir("bin") if d1 == d2: print "They're the same"
- PySide2.QtCore.QDir.operator[](arg__1)
- Parameters:
arg__1 – int
- Return type:
str
Returns the file name at position
pos
in the list of file names. Equivalent toentryList()
.at(index).pos
must be a valid index position in the list (i.e., 0 <= pos <count()
).See also
- PySide2.QtCore.QDir.path()¶
- Return type:
str
Returns the path. This may contain symbolic links, but never contains redundant “.”, “..” or multiple separators.
The returned path can be either absolute or relative (see
setPath()
).
- PySide2.QtCore.QDir.refresh()¶
Refreshes the directory information.
- PySide2.QtCore.QDir.relativeFilePath(fileName)¶
- Parameters:
fileName – str
- Return type:
str
Returns the path to
fileName
relative to the directory.dir = QDir("/home/bob") s = dir.relativeFilePath("images/file.jpg") # s is "images/file.jpg" s = dir.relativeFilePath("/home/mary/file.txt") # s is "../mary/file.txt"
See also
- PySide2.QtCore.QDir.remove(fileName)¶
- Parameters:
fileName – str
- Return type:
bool
Removes the file,
fileName
.Returns
true
if the file is removed successfully; otherwise returnsfalse
.
- PySide2.QtCore.QDir.removeRecursively()¶
- Return type:
bool
Removes the directory, including all its contents.
Returns
true
if successful, otherwise false.If a file or directory cannot be removed, keeps going and attempts to delete as many files and sub-directories as possible, then returns
false
.If the directory was already removed, the method returns
true
(expected result already reached).Note: this function is meant for removing a small application-internal directory (such as a temporary directory), but not user-visible directories. For user-visible operations, it is rather recommended to report errors more precisely to the user, to offer solutions in case of errors, to show progress during the deletion since it could take several minutes, etc.
- PySide2.QtCore.QDir.rename(oldName, newName)¶
- Parameters:
oldName – str
newName – str
- Return type:
bool
Renames a file or directory from
oldName
tonewName
, and returns true if successful; otherwise returnsfalse
.On most file systems, fails only if
oldName
does not exist, or if a file with the new name already exists. However, there are also other reasons why can fail. For example, on at least one file system fails ifnewName
points to an open file.If
oldName
is a file (not a directory) that can’t be renamed right away, Qt will try to copyoldName
tonewName
and removeoldName
.See also
- PySide2.QtCore.QDir.rmdir(dirName)¶
- Parameters:
dirName – str
- Return type:
bool
Removes the directory specified by
dirName
.The directory must be empty for to succeed.
Returns
true
if successful; otherwise returnsfalse
.See also
- PySide2.QtCore.QDir.rmpath(dirPath)¶
- Parameters:
dirPath – str
- Return type:
bool
Removes the directory path
dirPath
.The function will remove all parent directories in
dirPath
, provided that they are empty. This is the opposite of mkpath(dirPath).Returns
true
if successful; otherwise returnsfalse
.See also
- static PySide2.QtCore.QDir.root()¶
- Return type:
Returns the root directory.
The directory is constructed using the absolute path of the root directory, ensuring that its
path()
will be the same as itsabsolutePath()
.See
rootPath()
for details.
- static PySide2.QtCore.QDir.rootPath()¶
- Return type:
str
Returns the absolute path of the root directory.
For Unix operating systems this returns “/”. For Windows file systems this normally returns “c:/”.
See also
- static PySide2.QtCore.QDir.searchPaths(prefix)¶
- Parameters:
prefix – str
- Return type:
list of strings
Returns the search paths for
prefix
.See also
- static PySide2.QtCore.QDir.separator()¶
- Return type:
QChar
Returns the native directory separator: “/” under Unix and “\” under Windows.
You do not need to use this function to build file paths. If you always use “/”, Qt will translate your paths to conform to the underlying operating system. If you want to display paths to the user using their operating system’s separator use
toNativeSeparators()
.See also
- static PySide2.QtCore.QDir.setCurrent(path)¶
- Parameters:
path – str
- Return type:
bool
Sets the application’s current working directory to
path
. Returnstrue
if the directory was successfully changed; otherwise returnsfalse
.QString absolute = "/local/bin"; QString relative = "local/bin"; QFileInfo absFile(absolute); QFileInfo relFile(relative); QDir::setCurrent(QDir::rootPath()); // absFile and relFile now point to the same file QDir::setCurrent("/tmp"); // absFile now points to "/local/bin", // while relFile points to "/tmp/local/bin"
See also
- PySide2.QtCore.QDir.setFilter(filter)¶
- Parameters:
filter –
Filters
Sets the filter used by
entryList()
andentryInfoList()
tofilters
. The filter is used to specify the kind of files that should be returned byentryList()
andentryInfoList()
. SeeFilter
.See also
- PySide2.QtCore.QDir.setNameFilters(nameFilters)¶
- Parameters:
nameFilters – list of strings
Sets the name filters used by
entryList()
andentryInfoList()
to the list of filters specified bynameFilters
.Each name filter is a wildcard (globbing) filter that understands
*
and?
wildcards. SeeQRegularExpression Wildcard Matching
.For example, the following code sets three name filters on a
QDir
to ensure that only files with extensions typically used for C++ source files are listed:filters = ["*.cpp", "*.cxx", "*.cc"] dir_.setNameFilters(filters)
See also
- PySide2.QtCore.QDir.setPath(path)¶
- Parameters:
path – str
Sets the path of the directory to
path
. The path is cleaned of redundant “.”, “..” and of multiple separators. No check is made to see whether a directory with this path actually exists; but you can check for yourself usingexists()
.The path can be either absolute or relative. Absolute paths begin with the directory separator “/” (optionally preceded by a drive specification under Windows). Relative file names begin with a directory name or a file name and specify a path relative to the current directory. An example of an absolute path is the string “/tmp/quartz”, a relative path might look like “src/fatlib”.
- static PySide2.QtCore.QDir.setSearchPaths(prefix, searchPaths)¶
- Parameters:
prefix – str
searchPaths – list of strings
Sets or replaces Qt’s search paths for file names with the prefix
prefix
tosearchPaths
.To specify a prefix for a file name, prepend the prefix followed by a single colon (e.g., “images:undo.png”, “xmldocs:books.xml”).
prefix
can only contain letters or numbers (e.g., it cannot contain a colon, nor a slash).Qt uses this search path to locate files with a known prefix. The search path entries are tested in order, starting with the first entry.
QDir.setSearchPaths("icons", [QDir.homePath() + "/images"]) QDir.setSearchPaths("docs", [":/embeddedDocuments"]) ... pixmap = QPixmap("icons:undo.png") # will look for undo.png in QDir::homePath() + "/images" file = QFile("docs:design.odf") # will look in the :/embeddedDocuments resource path
File name prefix must be at least 2 characters long to avoid conflicts with Windows drive letters.
Search paths may contain paths to The Qt Resource System .
See also
- PySide2.QtCore.QDir.setSorting(sort)¶
- Parameters:
sort –
SortFlags
Sets the sort order used by
entryList()
andentryInfoList()
.The
sort
is specified by OR-ing values from the enumSortFlag
.See also
sorting()
SortFlag
- PySide2.QtCore.QDir.sorting()¶
- Return type:
SortFlags
Returns the value set by
setSorting()
See also
setSorting()
SortFlag
- PySide2.QtCore.QDir.swap(other)¶
- Parameters:
other –
PySide2.QtCore.QDir
Swaps this
QDir
instance withother
. This function is very fast and never fails.
- static PySide2.QtCore.QDir.temp()¶
- Return type:
Returns the system’s temporary directory.
The directory is constructed using the absolute canonical path of the temporary directory, ensuring that its
path()
will be the same as itsabsolutePath()
.See
tempPath()
for details.
- static PySide2.QtCore.QDir.tempPath()¶
- Return type:
str
Returns the absolute canonical path of the system’s temporary directory.
On Unix/Linux systems this is the path in the
TMPDIR
environment variable or/tmp
ifTMPDIR
is not defined. On Windows this is usually the path in theTEMP
orTMP
environment variable. The path returned by this method doesn’t end with a directory separator unless it is the root directory (of a drive).See also
- static PySide2.QtCore.QDir.toNativeSeparators(pathName)¶
- Parameters:
pathName – str
- Return type:
str
Returns
pathName
with the ‘/’ separators converted to separators that are appropriate for the underlying operating system.On Windows, (“c:/winnt/system32”) returns “c:\winnt\system32”.
The returned string may be the same as the argument on some operating systems, for example on Unix.
See also
© 2022 The Qt Company Ltd. Documentation contributions included herein are the copyrights of their respective owners. The documentation provided herein is licensed under the terms of the GNU Free Documentation License version 1.3 as published by the Free Software Foundation. Qt and respective logos are trademarks of The Qt Company Ltd. in Finland and/or other countries worldwide. All other trademarks are property of their respective owners.