⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 javaos.py

📁 mallet是自然语言处理、机器学习领域的一个开源项目。
💻 PY
字号:
r"""OS routines for Java, with some attempts to support DOS, NT, andPosix functionality.This exports:  - all functions from posix, nt, dos, os2, mac, or ce, e.g. unlink, stat, etc.  - os.path is one of the modules posixpath, ntpath, macpath, or dospath  - os.name is 'posix', 'nt', 'dos', 'os2', 'mac', 'ce' or 'riscos'  - os.curdir is a string representing the current directory ('.' or ':')  - os.pardir is a string representing the parent directory ('..' or '::')  - os.sep is the (or a most common) pathname separator ('/' or ':' or '\\')  - os.altsep is the alternate pathname separator (None or '/')  - os.pathsep is the component separator used in $PATH etc  - os.linesep is the line separator in text files ('\r' or '\n' or '\r\n')  - os.defpath is the default search path for executablesPrograms that import and use 'os' stand a better chance of beingportable between different platforms.  Of course, they must thenonly use functions that are defined by all platforms (e.g., unlinkand opendir), and leave all pathname manipulation to os.path(e.g., split and join)."""__all__ = ["altsep", "curdir", "pardir", "sep", "pathsep", "linesep",           "defpath", "name",           "system", "environ", "putenv", "getenv",           "popen", "popen2", "popen3", "popen4", "getlogin"           ]import javafrom java.io import Fileimport javapath as pathfrom UserDict import UserDictclass stat_result:  import stat as _stat  _stat_members = (    ('st_mode', _stat.ST_MODE),    ('st_ino', _stat.ST_INO),    ('st_dev', _stat.ST_DEV),    ('st_nlink', _stat.ST_NLINK),    ('st_uid', _stat.ST_UID),    ('st_gid', _stat.ST_GID),    ('st_size', _stat.ST_SIZE),    ('st_atime', _stat.ST_ATIME),    ('st_mtime', _stat.ST_MTIME),    ('st_ctime', _stat.ST_CTIME),  )  def __init__(self, results):    if len(results) != 10:      raise TypeError("stat_result() takes an at least 10-sequence")    for (name, index) in stat_result._stat_members:      self.__dict__[name] = results[index]  def __getitem__(self, i):    if i < 0 or i > 9:      raise IndexError(i)    return getattr(self, stat_result._stat_members[i][0])  def __setitem__(self, x, value):    raise TypeError("object doesn't support item assignment")  def __setattr__(self, name, value):    if name in [x[0] for x in stat_result._stat_members]:      raise TypeError(name)    raise AttributeError("readonly attribute")  def __len__(self):    return 10error = OSErrorname = 'java' # discriminate based on JDK version?curdir = '.'  # default to Posix for directory behavior, override belowpardir = '..' sep = File.separatoraltsep = Nonepathsep = File.pathSeparatordefpath = '.'linesep = java.lang.System.getProperty('line.separator')if sep=='.':    extsep = '/'else:    extsep = '.'def _exit(n=0):    java.lang.System.exit(n)def getcwd():    foo = File(File("foo").getAbsolutePath())    return foo.getParent()def chdir(path):    raise OSError(0, 'chdir not supported in Java', path)def listdir(path):    l = File(path).list()    if l is None:        raise OSError(0, 'No such directory', path)    return list(l)def mkdir(path, mode='ignored'):    if not File(path).mkdir():        raise OSError(0, "couldn't make directory", path)def makedirs(path, mode='ignored'):    if not File(path).mkdirs():        raise OSError(0, "couldn't make directories", path)def remove(path):    if not File(path).delete():        raise OSError(0, "couldn't delete file", path)def rename(path, newpath):    if not File(path).renameTo(File(newpath)):        raise OSError(0, "couldn't rename file", path)def rmdir(path):    if not File(path).delete():        raise OSError(0, "couldn't delete directory", path)unlink = removedef stat(path):    """The Java stat implementation only returns a small subset of    the standard fields"""    f = File(path)    size = f.length()    # Sadly, if the returned length is zero, we don't really know if the file    # is zero sized or does not exist.    if size == 0 and not f.exists():        raise OSError(0, 'No such file or directory', path)    mtime = f.lastModified() / 1000.0    return stat_result((0, 0, 0, 0, 0, 0, size, mtime, mtime, 0))def utime(path, times):    # Only the modification time is changed (and only on java2).    if times and hasattr(File, "setLastModified"):        File(path).setLastModified(long(times[1] * 1000.0))class LazyDict( UserDict ):    """A lazy-populating User Dictionary.    Lazy initialization is not thread-safe.    """    def __init__( self,                  dict=None,                  populate=None,                  keyTransform=None ):        """dict: starting dictionary of values        populate: function that returns the populated dictionary        keyTransform: function to normalize the keys (e.g., toupper/None)        """        UserDict.__init__( self, dict )        self._populated = 0        self.__populateFunc = populate or (lambda: {})        self._keyTransform = keyTransform or (lambda key: key)    def __populate( self ):        if not self._populated:            # race condition - test, populate, set            # make sure you don't set _populated until __populateFunc completes...            self.data = self.__populateFunc()            self._populated = 1     ########## extend methods from UserDict by pre-populating    def __repr__(self):        self.__populate()        return UserDict.__repr__( self )    def __cmp__(self, dict):        self.__populate()        return UserDict.__cmp__( self, dict )    def __len__(self):        self.__populate()        return UserDict.__len__( self )    def __getitem__(self, key):        self.__populate()        return UserDict.__getitem__( self, self._keyTransform(key) )    def __setitem__(self, key, item):        self.__populate()        UserDict.__setitem__( self, self._keyTransform(key), item )    def __delitem__(self, key):        self.__populate()        UserDict.__delitem__( self, self._keyTransform(key) )    def clear(self):        self.__populate()        UserDict.clear( self )    def copy(self):        self.__populate()        return UserDict.copy( self )    def keys(self):        self.__populate()        return UserDict.keys( self )    def items(self):        self.__populate()        return UserDict.items( self )    def values(self):        self.__populate()        return UserDict.values( self )    def has_key(self, key):        self.__populate()        return UserDict.has_key( self, self._keyTransform(key) )    def update(self, dict):        self.__populate()        UserDict.update( self, dict )    def get(self, key, failobj=None):        self.__populate()        return UserDict.get( self, self._keyTransform(key), failobj )    def setdefault(self, key, failobj=None):        self.__populate()        return UserDict.setdefault( self, self._keyTransform(key), failobj )    def popitem(self):        self.__populate()        return UserDict.popitem( self )# Provide lazy environ, popen*, and system objects# Do these lazily, as most jython programs don't need them,# and they are very expensive to initializedef _getEnvironment():    import javashell    return javashell._shellEnv.environmentenviron = LazyDict( populate=_getEnvironment )putenv = environ.__setitem__getenv = environ.__getitem__def system( *args, **kwargs ):    # allow lazy import of popen2 and javashell    import popen2    return popen2.system( *args, **kwargs )def popen( *args, **kwargs ):    # allow lazy import of popen2 and javashell    import popen2    return popen2.popen( *args, **kwargs )# os module versions of the popen# methods have different return value# order than popen2 functionsdef popen2(cmd, mode="t", bufsize=-1):    import popen2    stdout, stdin = popen2.popen2(cmd, bufsize)    return stdin, stdoutdef popen3(cmd, mode="t", bufsize=-1):    import popen2    stdout, stdin, stderr = popen2.popen3(cmd, bufsize)    return stdin, stdout, stderrdef popen4(cmd, mode="t", bufsize=-1):    import popen2    stdout, stdin = popen2.popen4(cmd, bufsize)    return stdin, stdoutdef getlogin():  return java.lang.System.getProperty("user.name")

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -