Python os.unlink() Examples
The following are 30
code examples of os.unlink().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
os
, or try the search function
.

Example #1
Source File: core.py From BASS with GNU General Public License v2.0 | 9 votes |
def get_num_triggering_samples(signature, samples): """ Get number of samples triggering ClamAV signature _signature_. :param signature: A dictionary with keys 'type' for the signature type and 'signature' for the signature string. :param samples: A list of sample paths to scan. :returns: The number of samples triggering this signature. """ handle, temp_sig = tempfile.mkstemp(suffix = "." + signature["type"]) try: with os.fdopen(handle, "w") as f: f.write(signature["signature"]) proc_clamscan = subprocess.Popen(["clamscan", "-d", temp_sig, "--no-summary", "--infected"] + samples, stdout = subprocess.PIPE, stderr = subprocess.PIPE) stdout, stderr = proc_clamscan.communicate() if not stdout: return 0 else: return len(stdout.strip().split("\n")) finally: os.unlink(temp_sig)
Example #2
Source File: server.py From BASS with GNU General Public License v2.0 | 8 votes |
def whitelist_add(): log.info("whitelist_add called") try: file_ = request.files["file"] handle, filename = tempfile.mkstemp() os.close(handle) file_.save(filename) data = request.get_json() if data and "functions" in data: functions = data["functions"] else: functions = None bass.whitelist_add(filename, functions) os.unlink(filename) except KeyError: log.exception("") return make_response(jsonify(message = "Sample file 'file' missing in POST request"), 400) return jsonify(message = "OK")
Example #3
Source File: tokenization_test.py From BERT-Classification-Tutorial with Apache License 2.0 | 6 votes |
def test_full_tokenizer(self): vocab_tokens = [ "[UNK]", "[CLS]", "[SEP]", "want", "##want", "##ed", "wa", "un", "runn", "##ing", "," ] with tempfile.NamedTemporaryFile(delete=False) as vocab_writer: vocab_writer.write("".join([x + "\n" for x in vocab_tokens])) vocab_file = vocab_writer.name tokenizer = tokenization.FullTokenizer(vocab_file) os.unlink(vocab_file) tokens = tokenizer.tokenize(u"UNwant\u00E9d,running") self.assertAllEqual(tokens, ["un", "##want", "##ed", ",", "runn", "##ing"]) self.assertAllEqual( tokenizer.convert_tokens_to_ids(tokens), [7, 4, 5, 10, 8, 9])
Example #4
Source File: util.py From wechat-alfred-workflow with MIT License | 6 votes |
def release(self): """Release the lock by deleting `self.lockfile`.""" if not self._lock.is_set(): return False try: fcntl.lockf(self._lockfile, fcntl.LOCK_UN) except IOError: # pragma: no cover pass finally: self._lock.clear() self._lockfile = None try: os.unlink(self.lockfile) except (IOError, OSError): # pragma: no cover pass return True
Example #5
Source File: background.py From wechat-alfred-workflow with MIT License | 6 votes |
def _job_pid(name): """Get PID of job or `None` if job does not exist. Args: name (str): Name of job. Returns: int: PID of job process (or `None` if job doesn't exist). """ pidfile = _pid_file(name) if not os.path.exists(pidfile): return with open(pidfile, 'rb') as fp: pid = int(fp.read()) if _process_exists(pid): return pid try: os.unlink(pidfile) except Exception: # pragma: no cover pass
Example #6
Source File: workflow.py From wechat-alfred-workflow with MIT License | 6 votes |
def _delete_directory_contents(self, dirpath, filter_func): """Delete all files in a directory. :param dirpath: path to directory to clear :type dirpath: ``unicode`` or ``str`` :param filter_func function to determine whether a file shall be deleted or not. :type filter_func ``callable`` """ if os.path.exists(dirpath): for filename in os.listdir(dirpath): if not filter_func(filename): continue path = os.path.join(dirpath, filename) if os.path.isdir(path): shutil.rmtree(path) else: os.unlink(path) self.logger.debug('deleted : %r', path)
Example #7
Source File: tnode.py From iSDX with Apache License 2.0 | 6 votes |
def create_command_listener (baddr, port): try: if port is None: try: if os.path.exists(baddr): os.unlink(baddr) except OSError: print 'could not remove old unix socket ' + baddr return s = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM) # @UndefinedVariable s.bind(baddr) else: s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) s.bind((baddr, int(port))) except socket.error , msg: print 'Bind failed on command interface ' + baddr + ' port ' + str(port) + ' Error Code : ' + str(msg[0]) + ' Message ' + msg[1] + '\n' return
Example #8
Source File: can_haz_image.py From macops with Apache License 2.0 | 6 votes |
def BuildImage(self, baseimage=None): """Actually build the image.""" sb = self.CreateSparseBundle() mounted_sparsebundle = self.MountSparseBundle(sb) self.GetBaseImage(baseimage) mounted_image = self.MountOSXInstallESD() self.InstallOSX(mounted_sparsebundle, mounted_image) self.GetBuildPackages() pkgs = os.path.join(self.cwd, BUILD, 'Packages/') pkgreport = self.InstallPackages(pkgs, mounted_sparsebundle) self.WriteImageInfo(mounted_sparsebundle, pkgreport) image_file = self.ConvertSparseBundle(mounted_sparsebundle, sb) self.CleanUp(sb, image_file) self.PrintReport(pkgreport) self.newimagepath = image_file print ('Created new image: %s' % os.path.join(BUILD, os.path.basename(image_file))) if os.path.exists(os.path.join(self.cwd, 'lastimage')): os.unlink(os.path.join(self.cwd, 'lastimage')) f = open(os.path.join(self.cwd, 'lastimage'), 'w') f.write('/Users/Shared/can_haz_image/%s' % os.path.basename(image_file)) f.close()
Example #9
Source File: versioneer.py From delocate with BSD 2-Clause "Simplified" License | 6 votes |
def run(self): versions = get_versions(verbose=True) target_versionfile = versionfile_source print("UPDATING %s" % target_versionfile) os.unlink(target_versionfile) f = open(target_versionfile, "w") f.write(SHORT_VERSION_PY % versions) f.close() _build_exe.run(self) os.unlink(target_versionfile) f = open(versionfile_source, "w") f.write(LONG_VERSION_PY % {"DOLLAR": "$", "TAG_PREFIX": tag_prefix, "PARENTDIR_PREFIX": parentdir_prefix, "VERSIONFILE_SOURCE": versionfile_source, }) f.close()
Example #10
Source File: test_delocating.py From delocate with BSD 2-Clause "Simplified" License | 6 votes |
def test_copy_recurse_overwrite(): # Check that copy_recurse won't overwrite pre-existing libs with InTemporaryDirectory(): # Get some fixed up libraries to play with os.makedirs('libcopy') test_lib, liba, libb, libc = _copy_fixpath( [TEST_LIB, LIBA, LIBB, LIBC], 'libcopy') # Filter system libs def filt_func(libname): return not libname.startswith('/usr/lib') os.makedirs('subtree') # libb depends on liba shutil.copy2(libb, 'subtree') # If liba is already present, barf shutil.copy2(liba, 'subtree') assert_raises(DelocationError, copy_recurse, 'subtree', filt_func) # Works if liba not present os.unlink(pjoin('subtree', 'liba.dylib')) copy_recurse('subtree', filt_func)
Example #11
Source File: test_createDefaultHtmlFile.py From wuy with GNU General Public License v2.0 | 6 votes |
def test(): class aeff(wuy.Window): size = (100, 100) def init(self): asyncio.get_event_loop().call_later(2, self.exit) # !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! # the following line is needed # because pytest seems to execute from a different path # then the executable one (think freezed) # ex: it works without it, in a real context # ex: it's needed when pytest execute the test # IRL : it's not needed to change the path # !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! wuy.PATH = os.getcwd() # !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! # !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! cf = "web/aeff.html" if os.path.isfile(cf): os.unlink(cf) aeff() assert os.path.isfile(cf), "a default file can't be created !!!" os.unlink(cf)
Example #12
Source File: posixemulation.py From cutout with MIT License | 6 votes |
def rename(src, dst): # Try atomic or pseudo-atomic rename if _rename(src, dst): return # Fall back to "move away and replace" try: os.rename(src, dst) except OSError as e: if e.errno != errno.EEXIST: raise old = "%s-%08x" % (dst, random.randint(0, sys.maxint)) os.rename(dst, old) os.rename(src, dst) try: os.unlink(old) except Exception: pass
Example #13
Source File: authority.py From certidude with MIT License | 6 votes |
def delete_request(common_name, user="root"): # Validate CN if not re.match(const.RE_COMMON_NAME, common_name): raise ValueError("Invalid common name") path, buf, csr, submitted = get_request(common_name) os.unlink(path) logger.info("Rejected signing request %s by %s" % ( common_name, user)) # Publish event at CA channel push.publish("request-deleted", common_name) # Write empty certificate to long-polling URL requests.delete( config.LONG_POLL_PUBLISH % hashlib.sha256(buf).hexdigest(), headers={"User-Agent": "Certidude API"})
Example #14
Source File: authority.py From certidude with MIT License | 6 votes |
def sign(common_name, profile, skip_notify=False, skip_push=False, overwrite=False, signer="root"): """ Sign certificate signing request by it's common name """ req_path = os.path.join(config.REQUESTS_DIR, common_name + ".pem") with open(req_path, "rb") as fh: csr_buf = fh.read() header, _, der_bytes = pem.unarmor(csr_buf) csr = CertificationRequest.load(der_bytes) # Sign with function below cert, buf = _sign(csr, csr_buf, profile, skip_notify, skip_push, overwrite, signer) os.unlink(req_path) return cert, buf
Example #15
Source File: test_unix_socket.py From sanic with MIT License | 6 votes |
def socket_cleanup(): try: os.unlink(SOCKPATH) except FileNotFoundError: pass try: os.unlink(SOCKPATH2) except FileNotFoundError: pass # Run test function yield try: os.unlink(SOCKPATH2) except FileNotFoundError: pass try: os.unlink(SOCKPATH) except FileNotFoundError: pass
Example #16
Source File: file.py From gnocchi with Apache License 2.0 | 6 votes |
def _delete_measures_files_for_metric(self, metric_id, files): for f in files: try: os.unlink(self._build_measure_path(metric_id, f)) except OSError as e: # Another process deleted it in the meantime, no prob' if e.errno != errno.ENOENT: raise try: os.rmdir(self._build_measure_path(metric_id)) except OSError as e: # ENOENT: ok, it has been removed at almost the same time # by another process # ENOTEMPTY: ok, someone pushed measure in the meantime, # we'll delete the measures and directory later # EEXIST: some systems use this instead of ENOTEMPTY if e.errno not in (errno.ENOENT, errno.ENOTEMPTY, errno.EEXIST): raise
Example #17
Source File: testpatch.py From jawfish with MIT License | 6 votes |
def test_patch_stopall(self): unlink = os.unlink chdir = os.chdir path = os.path patch('os.unlink', something).start() patch('os.chdir', something_else).start() @patch('os.path') def patched(mock_path): patch.stopall() self.assertIs(os.path, mock_path) self.assertIs(os.unlink, unlink) self.assertIs(os.chdir, chdir) patched() self.assertIs(os.path, path)
Example #18
Source File: test_auth.py From jumpserver-python-sdk with GNU General Public License v2.0 | 5 votes |
def test_save_to_f(self): tmpf = tempfile.mktemp() self.access_key.save_to_f(tmpf) print(tmpf) with open(tmpf, 'rt') as f: val = f.read().strip() self.assertEqual(val, self.access_key_val) os.unlink(tmpf)
Example #19
Source File: options.py From arm_now with MIT License | 5 votes |
def clean(config): """ Clean the filesystem. """ os.unlink(config.KERNEL) os.unlink(config.DTB) os.unlink(config.ROOTFS) shutil.rmtree(config.DIR, ignore_errors=True)
Example #20
Source File: options.py From arm_now with MIT License | 5 votes |
def sync_download(rootfs, src, dest): fs = Filesystem(rootfs) if not fs.implemented(): return fs.get(src, dest) if os.path.exists("root.tar"): subprocess.check_call("tar xf root.tar".split(' ')) os.unlink("root.tar") else: pgreen("Use the 'save' command before exiting the vm to retrieve all files on the host")
Example #21
Source File: versioneer.py From aospy with Apache License 2.0 | 5 votes |
def write_to_version_file(filename, versions): """Write the given version number to the given _version.py file.""" os.unlink(filename) contents = json.dumps(versions, sort_keys=True, indent=1, separators=(",", ": ")) with open(filename, "w") as f: f.write(SHORT_VERSION_PY % contents) print("set %s to '%s'" % (filename, versions["version"]))
Example #22
Source File: bindiff.py From BASS with GNU General Public License v2.0 | 5 votes |
def bindiff_pickle_export(self, sample, is_64_bit = True, timeout = None): """ Load a sample into IDA Pro, perform autoanalysis and export a pickle file. :param sample: The sample's path :param is_64_bit: If the sample needs to be analyzed by the 64 bit version of IDA :param timeout: Timeout for the analysis in seconds :return: The file name of the exported pickle database. The file needs to be deleted by the caller. Returns None on error. """ data_to_send = { "timeout": timeout, "is_64_bit": is_64_bit} url = "%s/binexport_pickle" % next(self._urls) log.debug("curl -XPOST --data '%s' '%s'", json.dumps(data_to_send), url) response = requests.post(url, data = data_to_send, files = {os.path.basename(sample): open(sample, "rb")}) if response.status_code == 200: handle_tar, path_tar = tempfile.mkstemp(suffix = ".tar.gz") with os.fdopen(handle_tar, "wb") as f: map(f.write, response.iter_content(1024)) directory = tempfile.mkdtemp() subprocess.check_call(["tar", "xf", path_tar], cwd = directory) handle_bindiff, output_bindiff = tempfile.mkstemp(suffix = ".BinExport") with os.fdopen(handle_bindiff, "wb") as f: with open(os.path.join(directory, "output.BinExport"), "rb") as f2: shutil.copyfileobj(f2, f) handle_pickle, output_pickle = tempfile.mkstemp(suffix = ".pickle") with os.fdopen(handle_pickle, "wb") as f: with open(os.path.join(directory, "output.pickle"), "rb") as f2: shutil.copyfileobj(f2, f) os.unlink(path_tar) shutil.rmtree(directory) return output_bindiff, output_pickle else: log.error("Bindiff server responded with status code %d: %s", response.status_code, response.content) return None
Example #23
Source File: core.py From BASS with GNU General Public License v2.0 | 5 votes |
def whitelist_add(self, path, functions = None): tempfiles = [] try: sample = Sample(path, name = "") for inspector in self.inspectors: inspector.inspect(sample) log.info("sample.path = %s, sample.info = %s", sample.path, str(sample.info)) accepted_file_types = [FileTypeInspector.TYPE_PE, FileTypeInspector.TYPE_ELF] if sample.info[FileTypeInspector.NAME]["type"] not in accepted_file_types: raise ValueError(("whitelist_add was given a sample with file type '{}', " + \ "but only accepts file types {}").format( sample.info[FileTypeInspector.NAME]["type"], ", ".join(accepted_file_types))) pickle_db = self.ida.pickle_export(sample.path, sample.info[FileTypeInspector.NAME]["bits"] == 64) if pickle_db is None: #IDA Pro analysis failed raise RuntimeError("Exporting pickle DB from disassembled executable failed. Cannot add sample to whitelist") tempfiles.append(pickle_db) db = Database.load(pickle_db) if functions is not None: db.data["functions"] = [f for f in db.data["functions"] if f["name"] in functions] #TODO: Filter functions by minimum number of BBs/edges/instructions self.whitelist.add(db) finally: for f in tempfiles: os.unlink(f)
Example #24
Source File: workflow.py From wechat-alfred-workflow with MIT License | 5 votes |
def clear_settings(self): """Delete workflow's :attr:`settings_path`.""" if os.path.exists(self.settings_path): os.unlink(self.settings_path) self.logger.debug('deleted : %r', self.settings_path)
Example #25
Source File: versioneer.py From xrft with MIT License | 5 votes |
def write_to_version_file(filename, versions): """Write the given version number to the given _version.py file.""" os.unlink(filename) contents = json.dumps(versions, sort_keys=True, indent=1, separators=(",", ": ")) with open(filename, "w") as f: f.write(SHORT_VERSION_PY % contents) print("set %s to '%s'" % (filename, versions["version"]))
Example #26
Source File: sessions.py From cherrypy with BSD 3-Clause "New" or "Revised" License | 5 votes |
def _delete(self): assert self.locked, ('The session deletion without being locked. ' "Check your tools' priority levels.") try: os.unlink(self._get_file_path()) except OSError: pass
Example #27
Source File: sessions.py From cherrypy with BSD 3-Clause "New" or "Revised" License | 5 votes |
def clean_up(self): """Clean up expired sessions.""" now = self.now() # Iterate over all session files in self.storage_path for fname in os.listdir(self.storage_path): have_session = ( fname.startswith(self.SESSION_PREFIX) and not fname.endswith(self.LOCK_SUFFIX) ) if have_session: # We have a session file: lock and load it and check # if it's expired. If it fails, nevermind. path = os.path.join(self.storage_path, fname) self.acquire_lock(path) if self.debug: # This is a bit of a hack, since we're calling clean_up # on the first instance rather than the entire class, # so depending on whether you have "debug" set on the # path of the first session called, this may not run. cherrypy.log('Cleanup lock acquired.', 'TOOLS.SESSIONS') try: contents = self._load(path) # _load returns None on IOError if contents is not None: data, expiration_time = contents if expiration_time < now: # Session expired: deleting it os.unlink(path) finally: self.release_lock(path)
Example #28
Source File: test_session.py From cherrypy with BSD 3-Clause "New" or "Revised" License | 5 votes |
def test_4_File_deletion(self): # Start a new session self.getPage('/testStr') # Delete the session file manually and retry. id = self.cookies[0][1].split(';', 1)[0].split('=', 1)[1] path = os.path.join(localDir, 'session-' + id) os.unlink(path) self.getPage('/testStr', self.cookies)
Example #29
Source File: radios.py From spectrum_painter with MIT License | 5 votes |
def transmit(self, complex_iq): hackrf_out = self.convert(complex_iq) pipe_file = mktemp() os.mkfifo(pipe_file) hackout = Popen(['hackrf_transfer', '-f', str(self.frequency), '-s', str(self.samplerate), '-b', str(self.bandwidth), '-x', str(self.txvga), '-t', pipe_file], stdin=PIPE, stdout=PIPE, stderr=PIPE) pipe = open(pipe_file, 'wb') pipe.write(hackrf_out) pipe.close() hackout.wait() sout = hackout.communicate() os.unlink(pipe_file) return sout
Example #30
Source File: github.py From spleeter with MIT License | 5 votes |
def download(self, name, path): """ Download model denoted by the given name to disk. :param name: Name of the model to download. :param path: Path of the directory to save model into. """ url = '{}/{}/{}/{}/{}.tar.gz'.format( self._host, self._repository, self.RELEASE_PATH, self._release, name) get_logger().info('Downloading model archive %s', url) with requests.get(url, stream=True) as response: response.raise_for_status() archive = NamedTemporaryFile(delete=False) try: with archive as stream: # Note: check for chunk size parameters ? for chunk in response.iter_content(chunk_size=8192): if chunk: stream.write(chunk) get_logger().info('Validating archive checksum') if compute_file_checksum(archive.name) != self.checksum(name): raise IOError('Downloaded file is corrupted, please retry') get_logger().info('Extracting downloaded %s archive', name) with tarfile.open(name=archive.name) as tar: tar.extractall(path=path) finally: os.unlink(archive.name) get_logger().info('%s model file(s) extracted', name)