vte-0.12.1/0000755000000000000000000000000011633370377010571 5ustar0000000000000000vte-0.12.1/vte.cabal0000644000000000000000000000462211633370377012357 0ustar0000000000000000Name: vte Version: 0.12.1 License: LGPL-2.1 License-file: COPYING Copyright: (c) 2001-2010 The Gtk2Hs Team Author: Andy Stewart, Axel Simon Maintainer: gtk2hs-users@lists.sourceforge.net Build-Type: Custom Cabal-Version: >= 1.8 Stability: provisional homepage: http://projects.haskell.org/gtk2hs/ bug-reports: http://hackage.haskell.org/trac/gtk2hs/ Synopsis: Binding to the VTE library. Description: The VTE library inserts terminal capability strings into a trie, and then uses it to determine if data received from a pseudo-terminal is a control sequence or just random data. The sample program "interpret" illustrates more or less what the widget sees after it filters incoming data. Category: Graphics Tested-With: GHC == 6.10.4, GHC == 6.12.3, GHC == 7.0.4, GHC == 7.2.1 Extra-Source-Files: Graphics/UI/Gtk/Vte/VteCharAttrFields.h SetupWrapper.hs SetupMain.hs Gtk2HsSetup.hs marshal.list hierarchy.list Data-Dir: demo Data-Files: Vte.hs Makefile x-Types-File: Graphics/UI/Gtk/Vte/Types.chs x-Types-Tag: vte x-Types-ModName: Graphics.UI.Gtk.Vte.Types x-Types-Forward: *Graphics.UI.GtkInternals x-Types-Destructor: objectUnrefFromMainloop x-Types-Hierarchy: hierarchy.list Source-Repository head type: darcs location: http://code.haskell.org/vte Library build-depends: base >= 4 && < 5, glib >= 0.12 && < 0.13, pango >= 0.12 && < 0.13, gtk >= 0.12 && < 0.13 build-tools: gtk2hsC2hs >= 0.13.5, gtk2hsHookGenerator, gtk2hsTypeGen exposed-modules: Graphics.UI.Gtk.Vte.Vte other-modules: Graphics.UI.Gtk.Vte.Structs Graphics.UI.Gtk.Vte.Types Graphics.UI.Gtk.Vte.Signals extensions: ForeignFunctionInterface c-sources: Graphics/UI/Gtk/Vte/VteCharAttrFields.c x-Signals-File: Graphics/UI/Gtk/Vte/Signals.chs x-Signals-Modname: Graphics.UI.Gtk.Vte.Signals x-Signals-Types: marshal.list x-Signals-Import: Graphics.UI.GtkInternals x-c2hs-Header: vte/vte.h include-dirs: Graphics/UI/Gtk/Vte/ pkgconfig-depends: vte >= 0.20.5 vte-0.12.1/Setup.hs0000644000000000000000000000050411633370377012224 0ustar0000000000000000-- Standard setup file for a Gtk2Hs module. -- -- See also: -- * SetupMain.hs : the real Setup script for this package -- * Gtk2HsSetup.hs : Gtk2Hs-specific boilerplate -- * SetupWrapper.hs : wrapper for compat with various ghc/cabal versions import SetupWrapper ( setupWrapper ) main = setupWrapper "SetupMain.hs" vte-0.12.1/SetupWrapper.hs0000644000000000000000000001427711633370377013601 0ustar0000000000000000-- A wrapper script for Cabal Setup.hs scripts. Allows compiling the real Setup -- conditionally depending on the Cabal version. module SetupWrapper (setupWrapper) where import Distribution.Package import Distribution.Compiler import Distribution.Simple.Utils import Distribution.Simple.Program import Distribution.Simple.Compiler import Distribution.Simple.BuildPaths (exeExtension) import Distribution.Simple.Configure (configCompiler) import Distribution.Simple.GHC (getInstalledPackages) import qualified Distribution.Simple.PackageIndex as PackageIndex import Distribution.Version import Distribution.Verbosity import Distribution.Text import System.Environment import System.Process import System.Exit import System.FilePath import System.Directory import qualified Control.Exception as Exception import System.IO.Error (isDoesNotExistError) import Data.List import Data.Char import Control.Monad setupWrapper :: FilePath -> IO () setupWrapper setupHsFile = do args <- getArgs createDirectoryIfMissingVerbose verbosity True setupDir compileSetupExecutable invokeSetupScript args where setupDir = "dist/setup-wrapper" setupVersionFile = setupDir "setup" <.> "version" setupProgFile = setupDir "setup" <.> exeExtension setupMacroFile = setupDir "wrapper-macros.h" useCabalVersion = Version [1,8] [] usePackageDB = [GlobalPackageDB, UserPackageDB] verbosity = normal cabalLibVersionToUse comp conf = do savedVersion <- savedCabalVersion case savedVersion of Just version -> return version _ -> do version <- installedCabalVersion comp conf writeFile setupVersionFile (show version ++ "\n") return version savedCabalVersion = do versionString <- readFile setupVersionFile `Exception.catch` \e -> if isDoesNotExistError e then return "" else Exception.throwIO e case reads versionString of [(version,s)] | all isSpace s -> return (Just version) _ -> return Nothing installedCabalVersion comp conf = do index <- getInstalledPackages verbosity usePackageDB conf let cabalDep = Dependency (PackageName "Cabal") (orLaterVersion useCabalVersion) case PackageIndex.lookupDependency index cabalDep of [] -> die $ "The package requires Cabal library version " ++ display useCabalVersion ++ " but no suitable version is installed." pkgs -> return $ bestVersion (map fst pkgs) where bestVersion = maximumBy (comparing preference) preference version = (sameVersion, sameMajorVersion ,stableVersion, latestVersion) where sameVersion = version == cabalVersion sameMajorVersion = majorVersion version == majorVersion cabalVersion majorVersion = take 2 . versionBranch stableVersion = case versionBranch version of (_:x:_) -> even x _ -> False latestVersion = version -- | If the Setup.hs is out of date wrt the executable then recompile it. -- Currently this is GHC only. It should really be generalised. -- compileSetupExecutable = do setupHsNewer <- setupHsFile `moreRecentFile` setupProgFile cabalVersionNewer <- setupVersionFile `moreRecentFile` setupProgFile let outOfDate = setupHsNewer || cabalVersionNewer when outOfDate $ do debug verbosity "Setup script is out of date, compiling..." (comp, conf) <- configCompiler (Just GHC) Nothing Nothing defaultProgramConfiguration verbosity cabalLibVersion <- cabalLibVersionToUse comp conf let cabalPkgid = PackageIdentifier (PackageName "Cabal") cabalLibVersion debug verbosity $ "Using Cabal library version " ++ display cabalLibVersion writeFile setupMacroFile (generateVersionMacro cabalLibVersion) rawSystemProgramConf verbosity ghcProgram conf $ ["--make", setupHsFile, "-o", setupProgFile] ++ ghcPackageDbOptions usePackageDB ++ ["-package", display cabalPkgid ,"-cpp", "-optP-include", "-optP" ++ setupMacroFile ,"-odir", setupDir, "-hidir", setupDir] where ghcPackageDbOptions dbstack = case dbstack of (GlobalPackageDB:UserPackageDB:dbs) -> concatMap specific dbs (GlobalPackageDB:dbs) -> "-no-user-package-conf" : concatMap specific dbs _ -> ierror where specific (SpecificPackageDB db) = [ "-package-conf", db ] specific _ = ierror ierror = error "internal error: unexpected package db stack" generateVersionMacro :: Version -> String generateVersionMacro version = concat ["/* DO NOT EDIT: This file is automatically generated by Cabal */\n\n" ,"#define CABAL_VERSION_CHECK(major1,major2,minor) (\\\n" ," (major1) < ",major1," || \\\n" ," (major1) == ",major1," && (major2) < ",major2," || \\\n" ," (major1) == ",major1," && (major2) == ",major2," && (minor) <= ",minor,")" ,"\n\n" ] where (major1:major2:minor:_) = map show (versionBranch version ++ repeat 0) invokeSetupScript :: [String] -> IO () invokeSetupScript args = do info verbosity $ unwords (setupProgFile : args) process <- runProcess (currentDir setupProgFile) args Nothing Nothing Nothing Nothing Nothing exitCode <- waitForProcess process unless (exitCode == ExitSuccess) $ exitWith exitCode moreRecentFile :: FilePath -> FilePath -> IO Bool moreRecentFile a b = do exists <- doesFileExist b if not exists then return True else do tb <- getModificationTime b ta <- getModificationTime a return (ta > tb) vte-0.12.1/marshal.list0000644000000000000000000000462211633370377013121 0ustar0000000000000000# see glib-genmarshal(1) for a detailed description of the file format, # possible parameter types are: # VOID indicates no return type, or no extra # parameters. if VOID is used as the parameter # list, no additional parameters may be present. # BOOLEAN for boolean types (gboolean) # CHAR for signed char types (gchar) # UCHAR for unsigned char types (guchar) # INT for signed integer types (gint) # UINT for unsigned integer types (guint) # LONG for signed long integer types (glong) # ULONG for unsigned long integer types (gulong) # ENUM for enumeration types (gint) # FLAGS for flag enumeration types (guint) # FLOAT for single-precision float types (gfloat) # DOUBLE for double-precision float types (gdouble) # STRING for string types (gchar*) # BOXED for boxed (anonymous but reference counted) types (GBoxed*) # POINTER for anonymous pointer types (gpointer) # NONE deprecated alias for VOID # BOOL deprecated alias for BOOLEAN # # One discrepancy from Gtk+ is that for signals that may pass NULL for an object # reference, the Haskell signal should be passed a 'Maybe GObject'. # We therefore have two variants that are marshalled as a maybe type: # # OBJECT for GObject or derived types (GObject*) # MOBJECT for GObject or derived types (GObject*) that may be NULL # Furthermore, some objects needs to be destroyed synchronously from the main loop of # Gtk rather than during GC. These objects need to be marshalled using TOBJECT (for thread-safe # object). It doesn't hurt to use TOBJECT for an object that doesn't need it, except for the # some performance. As a rule of thumb, use TOBJECT for all libraries that build on package # 'gtk' and use OBJECT for all packages that only need packages 'glib', 'pango', 'cairo', # 'gio'. Again both variants exist. Note that the same names will be generated for OBJECT and # TOBJECT, so you have to remove the OBJECT handler if you need both. # # TOBJECT for GObject or derived types (GObject*) # MTOBJECT for GObject or derived types (GObject*) that may be NULL # If you add a new signal type, please check that it actually works! # If it is a Boxed type check that the reference counting is right. NONE:NONE NONE:INT NONE:INT,INT NONE:LONG,LONG NONE:TOBJECT,TOBJECT NONE:STRING,INT vte-0.12.1/Gtk2HsSetup.hs0000644000000000000000000004545211633370377013262 0ustar0000000000000000{-# LANGUAGE CPP #-} #ifndef CABAL_VERSION_CHECK #error This module has to be compiled via the Setup.hs program which generates the gtk2hs-macros.h file #endif -- | Build a Gtk2hs package. -- module Gtk2HsSetup ( gtk2hsUserHooks, getPkgConfigPackages, checkGtk2hsBuildtools ) where import Distribution.Simple import Distribution.Simple.PreProcess import Distribution.InstalledPackageInfo ( importDirs, showInstalledPackageInfo, libraryDirs, extraLibraries, extraGHCiLibraries ) import Distribution.Simple.PackageIndex ( lookupInstalledPackageId ) import Distribution.PackageDescription as PD ( PackageDescription(..), updatePackageDescription, BuildInfo(..), emptyBuildInfo, allBuildInfo, Library(..), libModules, hasLibs) import Distribution.Simple.LocalBuildInfo (LocalBuildInfo(..), InstallDirs(..), componentPackageDeps, absoluteInstallDirs) import Distribution.Simple.Compiler ( Compiler(..) ) import Distribution.Simple.Program ( Program(..), ConfiguredProgram(..), rawSystemProgramConf, rawSystemProgramStdoutConf, programName, programPath, c2hsProgram, pkgConfigProgram, gccProgram, requireProgram, ghcPkgProgram, simpleProgram, lookupProgram, rawSystemProgramStdout, ProgArg) import Distribution.ModuleName ( ModuleName, components, toFilePath ) import Distribution.Simple.Utils import Distribution.Simple.Setup (CopyFlags(..), InstallFlags(..), CopyDest(..), defaultCopyFlags, ConfigFlags(configVerbosity), fromFlag, toFlag, RegisterFlags(..), flagToMaybe, fromFlagOrDefault, defaultRegisterFlags) import Distribution.Simple.BuildPaths ( autogenModulesDir ) import Distribution.Simple.Install ( install ) import Distribution.Simple.Register ( generateRegistrationInfo, registerPackage ) import Distribution.Text ( simpleParse, display ) import System.FilePath import System.Exit (exitFailure) import System.Directory ( doesFileExist, getDirectoryContents, doesDirectoryExist ) import Distribution.Version (Version(..)) import Distribution.Verbosity import Control.Monad (when, unless, filterM, liftM, forM, forM_) import Data.Maybe ( isJust, isNothing, fromMaybe, maybeToList ) import Data.List (isPrefixOf, isSuffixOf, nub) import Data.Char (isAlpha) import qualified Data.Map as M import qualified Data.Set as S import Control.Applicative ((<$>)) -- the name of the c2hs pre-compiled header file precompFile = "precompchs.bin" gtk2hsUserHooks = simpleUserHooks { hookedPrograms = [typeGenProgram, signalGenProgram, c2hsLocal], hookedPreProcessors = [("chs", ourC2hs)], confHook = \pd cf -> (fmap adjustLocalBuildInfo (confHook simpleUserHooks pd cf)), postConf = \args cf pd lbi -> do genSynthezisedFiles (fromFlag (configVerbosity cf)) pd lbi postConf simpleUserHooks args cf pd lbi, buildHook = \pd lbi uh bf -> fixDeps pd >>= \pd -> buildHook simpleUserHooks pd lbi uh bf, copyHook = \pd lbi uh flags -> copyHook simpleUserHooks pd lbi uh flags >> installCHI pd lbi (fromFlag (copyVerbosity flags)) (fromFlag (copyDest flags)), instHook = \pd lbi uh flags -> #if defined(mingw32_HOST_OS) || defined(__MINGW32__) installHook pd lbi uh flags >> installCHI pd lbi (fromFlag (installVerbosity flags)) NoCopyDest, regHook = registerHook #else instHook simpleUserHooks pd lbi uh flags >> installCHI pd lbi (fromFlag (installVerbosity flags)) NoCopyDest #endif } ------------------------------------------------------------------------------ -- Lots of stuff for windows ghci support ------------------------------------------------------------------------------ getDlls :: [FilePath] -> IO [FilePath] getDlls dirs = filter ((== ".dll") . takeExtension) . concat <$> mapM getDirectoryContents dirs fixLibs :: [FilePath] -> [String] -> [String] fixLibs dlls = concatMap $ \ lib -> case filter (("lib" ++ lib) `isPrefixOf`) dlls of dll:_ -> [dropExtension dll] _ -> if lib == "z" then [] else [lib] -- The following code is a big copy-and-paste job from the sources of -- Cabal 1.8 just to be able to fix a field in the package file. Yuck. installHook :: PackageDescription -> LocalBuildInfo -> UserHooks -> InstallFlags -> IO () installHook pkg_descr localbuildinfo _ flags = do let copyFlags = defaultCopyFlags { copyDistPref = installDistPref flags, copyDest = toFlag NoCopyDest, copyVerbosity = installVerbosity flags } install pkg_descr localbuildinfo copyFlags let registerFlags = defaultRegisterFlags { regDistPref = installDistPref flags, regInPlace = installInPlace flags, regPackageDB = installPackageDB flags, regVerbosity = installVerbosity flags } when (hasLibs pkg_descr) $ register pkg_descr localbuildinfo registerFlags registerHook :: PackageDescription -> LocalBuildInfo -> UserHooks -> RegisterFlags -> IO () registerHook pkg_descr localbuildinfo _ flags = if hasLibs pkg_descr then register pkg_descr localbuildinfo flags else setupMessage verbosity "Package contains no library to register:" (packageId pkg_descr) where verbosity = fromFlag (regVerbosity flags) register :: PackageDescription -> LocalBuildInfo -> RegisterFlags -- ^Install in the user's database?; verbose -> IO () register pkg@PackageDescription { library = Just lib } lbi@LocalBuildInfo { libraryConfig = Just clbi } regFlags = do installedPkgInfoRaw <- generateRegistrationInfo verbosity pkg lib lbi clbi inplace distPref dllsInScope <- getSearchPath >>= (filterM doesDirectoryExist) >>= getDlls let libs = fixLibs dllsInScope (extraLibraries installedPkgInfoRaw) installedPkgInfo = installedPkgInfoRaw { extraGHCiLibraries = libs } -- Three different modes: case () of _ | modeGenerateRegFile -> die "Generate Reg File not supported" | modeGenerateRegScript -> die "Generate Reg Script not supported" | otherwise -> registerPackage verbosity installedPkgInfo pkg lbi inplace #if CABAL_VERSION_CHECK(1,10,0) packageDbs #else packageDb #endif where modeGenerateRegFile = isJust (flagToMaybe (regGenPkgConf regFlags)) modeGenerateRegScript = fromFlag (regGenScript regFlags) inplace = fromFlag (regInPlace regFlags) packageDbs = nub $ withPackageDB lbi ++ maybeToList (flagToMaybe (regPackageDB regFlags)) packageDb = registrationPackageDB packageDbs distPref = fromFlag (regDistPref regFlags) verbosity = fromFlag (regVerbosity regFlags) register _ _ regFlags = notice verbosity "No package to register" where verbosity = fromFlag (regVerbosity regFlags) ------------------------------------------------------------------------------ -- This is a hack for Cabal-1.8, It is not needed in Cabal-1.9.1 or later ------------------------------------------------------------------------------ adjustLocalBuildInfo :: LocalBuildInfo -> LocalBuildInfo adjustLocalBuildInfo lbi = let extra = (Just libBi, []) libBi = emptyBuildInfo { includeDirs = [ autogenModulesDir lbi , buildDir lbi ] } in lbi { localPkgDescr = updatePackageDescription extra (localPkgDescr lbi) } ------------------------------------------------------------------------------ -- Processing .chs files with our local c2hs. ------------------------------------------------------------------------------ ourC2hs :: BuildInfo -> LocalBuildInfo -> PreProcessor ourC2hs bi lbi = PreProcessor { platformIndependent = False, runPreProcessor = runC2HS bi lbi } runC2HS :: BuildInfo -> LocalBuildInfo -> (FilePath, FilePath) -> (FilePath, FilePath) -> Verbosity -> IO () runC2HS bi lbi (inDir, inFile) (outDir, outFile) verbosity = do -- have the header file name if we don't have the precompiled header yet header <- case lookup "x-c2hs-header" (customFieldsBI bi) of Just h -> return h Nothing -> die ("Need x-c2hs-Header definition in the .cabal Library section "++ "that sets the C header file to process .chs.pp files.") -- c2hs will output files in out dir, removing any leading path of the input file. -- Thus, append the dir of the input file to the output dir. let (outFileDir, newOutFile) = splitFileName outFile let newOutDir = outDir outFileDir -- additional .chi files might be needed that other packages have installed; -- we assume that these are installed in the same place as .hi files let chiDirs = [ dir | ipi <- maybe [] (map fst . componentPackageDeps) (libraryConfig lbi), dir <- maybe [] importDirs (lookupInstalledPackageId (installedPkgs lbi) ipi) ] (gccProg, _) <- requireProgram verbosity gccProgram (withPrograms lbi) rawSystemProgramConf verbosity c2hsLocal (withPrograms lbi) $ map ("--include=" ++) (outDir:chiDirs) ++ [ "--cpp=" ++ programPath gccProg, "--cppopts=-E" ] ++ ["--cppopts=" ++ opt | opt <- getCppOptions bi lbi] ++ ["--output-dir=" ++ newOutDir, "--output=" ++ newOutFile, "--precomp=" ++ buildDir lbi precompFile, header, inDir inFile] getCppOptions :: BuildInfo -> LocalBuildInfo -> [String] getCppOptions bi lbi = nub $ ["-I" ++ dir | dir <- PD.includeDirs bi] ++ [opt | opt@('-':c:_) <- PD.cppOptions bi ++ PD.ccOptions bi, c `elem` "DIU"] installCHI :: PackageDescription -- ^information from the .cabal file -> LocalBuildInfo -- ^information from the configure step -> Verbosity -> CopyDest -- ^flags sent to copy or install -> IO () installCHI pkg@PD.PackageDescription { library = Just lib } lbi verbosity copydest = do let InstallDirs { libdir = libPref } = absoluteInstallDirs pkg lbi copydest -- cannot use the recommended 'findModuleFiles' since it fails if there exists -- a modules that does not have a .chi file mFiles <- mapM (findFileWithExtension' ["chi"] [buildDir lbi] . toFilePath) (PD.libModules lib) let files = [ f | Just f <- mFiles ] installOrdinaryFiles verbosity libPref files installCHI _ _ _ _ = return () ------------------------------------------------------------------------------ -- Generating the type hierarchy and signal callback .hs files. ------------------------------------------------------------------------------ typeGenProgram :: Program typeGenProgram = simpleProgram "gtk2hsTypeGen" signalGenProgram :: Program signalGenProgram = simpleProgram "gtk2hsHookGenerator" c2hsLocal :: Program c2hsLocal = (simpleProgram "gtk2hsC2hs") { programFindVersion = findProgramVersion "--version" $ \str -> -- Invoking "gtk2hsC2hs --version" gives a string like: -- C->Haskell Compiler, version 0.13.4 (gtk2hs branch) "Bin IO", 13 Nov 2004 case words str of (_:_:_:ver:_) -> ver _ -> "" } genSynthezisedFiles :: Verbosity -> PackageDescription -> LocalBuildInfo -> IO () genSynthezisedFiles verb pd lbi = do cPkgs <- getPkgConfigPackages verb lbi pd let xList = maybe [] (customFieldsBI . libBuildInfo) (library pd) ++customFieldsPD pd typeOpts :: String -> [ProgArg] typeOpts tag = concat [ map (\val -> '-':'-':drop (length tag) field++'=':val) (words content) | (field,content) <- xList, tag `isPrefixOf` field, field /= (tag++"file")] ++ [ "--tag=" ++ tag | PackageIdentifier name (Version (major:minor:_) _) <- cPkgs , let name' = filter isAlpha (display name) , tag <- name' : [ name' ++ "-" ++ show major ++ "." ++ show digit | digit <- [0,2..minor] ] ] signalsOpts :: [ProgArg] signalsOpts = concat [ map (\val -> '-':'-':drop 10 field++'=':val) (words content) | (field,content) <- xList, "x-signals-" `isPrefixOf` field, field /= "x-signals-file"] genFile :: Program -> [ProgArg] -> FilePath -> IO () genFile prog args outFile = do res <- rawSystemProgramStdoutConf verb prog (withPrograms lbi) args rewriteFile outFile res forM_ (filter (\(tag,_) -> "x-types-" `isPrefixOf` tag && "file" `isSuffixOf` tag) xList) $ \(fileTag, f) -> do let tag = reverse (drop 4 (reverse fileTag)) info verb ("Ensuring that class hierarchy in "++f++" is up-to-date.") genFile typeGenProgram (typeOpts tag) f case lookup "x-signals-file" xList of Nothing -> return () Just f -> do info verb ("Ensuring that callback hooks in "++f++" are up-to-date.") genFile signalGenProgram signalsOpts f --FIXME: Cabal should tell us the selected pkg-config package versions in the -- LocalBuildInfo or equivalent. -- In the mean time, ask pkg-config again. getPkgConfigPackages :: Verbosity -> LocalBuildInfo -> PackageDescription -> IO [PackageId] getPkgConfigPackages verbosity lbi pkg = sequence [ do version <- pkgconfig ["--modversion", display pkgname] case simpleParse version of Nothing -> die "parsing output of pkg-config --modversion failed" Just v -> return (PackageIdentifier pkgname v) | Dependency pkgname _ <- concatMap pkgconfigDepends (allBuildInfo pkg) ] where pkgconfig = rawSystemProgramStdoutConf verbosity pkgConfigProgram (withPrograms lbi) ------------------------------------------------------------------------------ -- Dependency calculation amongst .chs files. ------------------------------------------------------------------------------ -- Given all files of the package, find those that end in .chs and extract the -- .chs files they depend upon. Then return the PackageDescription with these -- files rearranged so that they are built in a sequence that files that are -- needed by other files are built first. fixDeps :: PackageDescription -> IO PackageDescription fixDeps pd@PD.PackageDescription { PD.library = Just lib@PD.Library { PD.exposedModules = expMods, PD.libBuildInfo = bi@PD.BuildInfo { PD.hsSourceDirs = srcDirs, PD.otherModules = othMods }}} = do let findModule m = findFileWithExtension [".chs.pp",".chs"] srcDirs (joinPath (components m)) mExpFiles <- mapM findModule expMods mOthFiles <- mapM findModule othMods -- tag all exposed files with True so we throw an error if we need to build -- an exposed module before an internal modules (we cannot express this) let modDeps = zipWith (ModDep True []) expMods mExpFiles++ zipWith (ModDep False []) othMods mOthFiles modDeps <- mapM extractDeps modDeps let (expMods, othMods) = span mdExposed $ sortTopological modDeps badOther = map (fromMaybe "" . mdLocation) $ filter (not . mdExposed) expMods unless (null badOther) $ die ("internal chs modules "++intercalate "," badOther++ " depend on exposed chs modules; cabal needs to build internal modules first") return pd { PD.library = Just lib { PD.exposedModules = map mdOriginal expMods, PD.libBuildInfo = bi { PD.otherModules = map mdOriginal othMods } }} data ModDep = ModDep { mdExposed :: Bool, mdRequires :: [ModuleName], mdOriginal :: ModuleName, mdLocation :: Maybe FilePath } instance Show ModDep where show x = show (mdLocation x) instance Eq ModDep where ModDep { mdOriginal = m1 } == ModDep { mdOriginal = m2 } = m1==m2 instance Ord ModDep where compare ModDep { mdOriginal = m1 } ModDep { mdOriginal = m2 } = compare m1 m2 -- Extract the dependencies of this file. This is intentionally rather naive as it -- ignores CPP conditionals. We just require everything which means that the -- existance of a .chs module may not depend on some CPP condition. extractDeps :: ModDep -> IO ModDep extractDeps md@ModDep { mdLocation = Nothing } = return md extractDeps md@ModDep { mdLocation = Just f } = withUTF8FileContents f $ \con -> do let findImports acc (('{':'#':xs):xxs) = case (dropWhile (' ' ==) xs) of ('i':'m':'p':'o':'r':'t':' ':ys) -> case simpleParse (takeWhile ('#' /=) ys) of Just m -> findImports (m:acc) xxs Nothing -> die ("cannot parse chs import in "++f++":\n"++ "offending line is {#"++xs) -- no more imports after the first non-import hook _ -> return acc findImports acc (_:xxs) = findImports acc xxs findImports acc [] = return acc mods <- findImports [] (lines con) return md { mdRequires = mods } -- Find a total order of the set of modules that are partially sorted by their -- dependencies on each other. The function returns the sorted list of modules -- together with a list of modules that are required but not supplied by this -- in the input set of modules. sortTopological :: [ModDep] -> [ModDep] sortTopological ms = reverse $ fst $ foldl visit ([], S.empty) (map mdOriginal ms) where set = M.fromList (map (\m -> (mdOriginal m, m)) ms) visit (out,visited) m | m `S.member` visited = (out,visited) | otherwise = case m `M.lookup` set of Nothing -> (out, m `S.insert` visited) Just md -> (md:out', visited') where (out',visited') = foldl visit (out, m `S.insert` visited) (mdRequires md) -- Check user whether install gtk2hs-buildtools correctly. checkGtk2hsBuildtools :: [String] -> IO () checkGtk2hsBuildtools programs = do programInfos <- mapM (\ name -> do location <- programFindLocation (simpleProgram name) normal return (name, location) ) programs let printError name = do putStrLn $ "Cannot find " ++ name ++ "\n" ++ "Please install `gtk2hs-buildtools` first and check that the install directory is in your PATH (e.g. HOME/.cabal/bin)." exitFailure forM_ programInfos $ \ (name, location) -> when (isNothing location) (printError name) vte-0.12.1/hierarchy.list0000644000000000000000000004023111633370377013444 0ustar0000000000000000# This list is the result of a copy-and-paste from the GtkObject hierarchy # html documentation. Deprecated widgets are uncommented. Some additional # object have been defined at the end of the copied list. # The Gtk prefix of every object is removed, the other prefixes are # kept. The indentation implies the object hierarchy. In case the # type query function cannot be derived from the name or the type name # is different, an alternative name and type query function can be # specified by appending 'as typename, '. In case this # function is not specified, the is converted to # gtk__get_type where is where each upperscore # letter is converted to an underscore and lowerletter. The underscore # is omitted if an upperscore letter preceeded: GtkHButtonBox -> # gtk_hbutton_box_get_type. The generation of a type can be # conditional by appending 'if '. Such types are only produces if # --tag= is given on the command line of TypeGenerator. GObject GdkDrawable GdkWindow as DrawWindow, gdk_window_object_get_type # GdkDrawableImplX11 # GdkWindowImplX11 GdkPixmap GdkGLPixmap if gtkglext GdkGLWindow if gtkglext GdkColormap GdkScreen if gtk-2.2 GdkDisplay if gtk-2.2 GdkVisual GdkDevice GtkSettings GtkTextBuffer GtkSourceBuffer if sourceview GtkSourceBuffer if gtksourceview2 GtkTextTag GtkSourceTag if sourceview GtkTextTagTable GtkSourceTagTable if sourceview GtkStyle GtkRcStyle GdkDragContext GdkPixbuf GdkPixbufAnimation GdkPixbufSimpleAnim GdkPixbufAnimationIter GtkTextChildAnchor GtkTextMark GtkSourceMarker if sourceview GtkSourceMark if gtksourceview2 GtkObject GtkWidget GtkMisc GtkLabel GtkAccelLabel GtkTipsQuery if deprecated GtkArrow GtkImage GtkContainer WebKitWebView as WebView, webkit_web_view_get_type if webkit GtkBin GtkAlignment GtkFrame GtkAspectFrame GtkButton GtkToggleButton GtkCheckButton GtkRadioButton GtkColorButton if gtk-2.4 GtkFontButton if gtk-2.4 GtkOptionMenu if deprecated GtkItem GtkMenuItem GtkCheckMenuItem GtkRadioMenuItem GtkTearoffMenuItem GtkImageMenuItem GtkSeparatorMenuItem GtkListItem if deprecated # GtkTreeItem GtkWindow GtkDialog GtkAboutDialog if gtk-2.6 GtkColorSelectionDialog GtkFileSelection GtkFileChooserDialog if gtk-2.4 GtkFontSelectionDialog GtkInputDialog GtkMessageDialog GtkPlug if plugNsocket GtkEventBox GtkHandleBox GtkScrolledWindow GtkViewport GtkExpander if gtk-2.4 GtkComboBox if gtk-2.4 GtkComboBoxEntry if gtk-2.4 GtkToolItem if gtk-2.4 GtkToolButton if gtk-2.4 GtkMenuToolButton if gtk-2.6 GtkToggleToolButton if gtk-2.4 GtkRadioToolButton if gtk-2.4 GtkSeparatorToolItem if gtk-2.4 GtkMozEmbed if mozembed VteTerminal as Terminal if vte GtkBox GtkButtonBox GtkHButtonBox GtkVButtonBox GtkVBox GtkColorSelection GtkFontSelection GtkFileChooserWidget if gtk-2.4 GtkHBox GtkCombo if deprecated GtkFileChooserButton if gtk-2.6 GtkStatusbar GtkCList if deprecated GtkCTree if deprecated GtkFixed GtkPaned GtkHPaned GtkVPaned GtkIconView if gtk-2.6 GtkLayout GtkList if deprecated GtkMenuShell GtkMenu GtkMenuBar GtkNotebook # GtkPacker GtkSocket if plugNsocket GtkTable GtkTextView GtkSourceView if sourceview GtkSourceView if gtksourceview2 GtkToolbar GtkTreeView GtkCalendar GtkCellView if gtk-2.6 GtkDrawingArea GtkEntry GtkSpinButton GtkRuler GtkHRuler GtkVRuler GtkRange GtkScale GtkHScale GtkVScale GtkScrollbar GtkHScrollbar GtkVScrollbar GtkSeparator GtkHSeparator GtkVSeparator GtkInvisible # GtkOldEditable # GtkText GtkPreview if deprecated # Progress is deprecated, ProgressBar contains everything necessary # GtkProgress GtkProgressBar GtkAdjustment GtkIMContext GtkIMMulticontext GtkItemFactory if deprecated GtkTooltips # These object were added by hand because they do not show up in the hierarchy # chart. # These are derived from GtkObject: GtkTreeViewColumn GtkCellRenderer GtkCellRendererPixbuf GtkCellRendererText GtkCellRendererCombo if gtk-2.6 GtkCellRendererToggle GtkCellRendererProgress if gtk-2.6 GtkFileFilter if gtk-2.4 GtkBuilder if gtk-2.12 # These are actually interfaces, but all objects that implement it are at # least GObjects. GtkCellLayout if gtk-2.4 GtkTreeSortable if gtk-2.4 GtkTooltip if gtk-2.12 # These are derived from GObject: GtkStatusIcon if gtk-2.10 GtkTreeSelection GtkTreeModel GtkTreeStore GtkListStore GtkTreeModelSort GtkTreeModelFilter if gtk-2.4 GtkIconFactory GtkIconTheme GtkSizeGroup GtkClipboard if gtk-2.2 GtkAccelGroup GtkAccelMap if gtk-2.4 GtkEntryCompletion if gtk-2.4 GtkAction if gtk-2.4 GtkToggleAction if gtk-2.4 GtkRadioAction if gtk-2.4 GtkActionGroup if gtk-2.4 GtkUIManager if gtk-2.4 GtkWindowGroup GtkSourceLanguage if sourceview GtkSourceLanguage if gtksourceview2 GtkSourceLanguagesManager if sourceview GtkSourceLanguageManager if gtksourceview2 GladeXML as GladeXML, glade_xml_get_type if libglade GConfClient as GConf if gconf # These ones are actualy interfaces, but interface implementations are GObjects GtkEditable GtkSourceStyle as SourceStyleObject if gtksourceview2 GtkSourceStyleScheme if sourceview GtkSourceStyleScheme if gtksourceview2 GtkSourceStyleSchemeManager if gtksourceview2 GtkFileChooser if gtk-2.4 ## This now became a GObject in version 2: GdkGC as GC, gdk_gc_get_type ## These are Pango structures PangoContext as PangoContext, pango_context_get_type if pango PangoLayout as PangoLayoutRaw, pango_layout_get_type if pango PangoFont as Font, pango_font_get_type if pango PangoFontFamily as FontFamily, pango_font_family_get_type if pango PangoFontFace as FontFace, pango_font_face_get_type if pango PangoFontMap as FontMap, pango_font_face_get_type if pango PangoFontset as FontSet, pango_fontset_get_type if pango ## This type is only available for PANGO_ENABLE_BACKEND compiled source ## PangoFontsetSimple as FontSetSimple, pango_fontset_simple_get_type ## GtkGlExt classes GdkGLContext if gtkglext GdkGLConfig if gtkglext GdkGLDrawable if gtkglext ## GnomeVFS classes GnomeVFSVolume as Volume, gnome_vfs_volume_get_type if gnomevfs GnomeVFSDrive as Drive, gnome_vfs_drive_get_type if gnomevfs GnomeVFSVolumeMonitor as VolumeMonitor, gnome_vfs_volume_monitor_get_type if gnomevfs ## GIO classes # Note on all the "as" clauses: the prefix G is unfortunate since it leads # to two consecutive upper case letters which are not translated with an # underscore each (e.g. GConf -> gconf, GtkHButtonBox -> gtk_hbutton_box). # GUnixMountMonitor as UnixMountMonitor, g_unix_mount_monitor_get_type if gio GOutputStream as OutputStream, g_output_stream_get_type if gio GFilterOutputStream as FilterOutputStream, g_filter_output_stream_get_type if gio GDataOutputStream as DataOutputStream, g_data_output_stream_get_type if gio GBufferedOutputStream as BufferedOutputStream, g_buffered_output_stream_get_type if gio # GUnixOutputStream as UnixOutputStream, g_unix_output_stream_get_type if gio GFileOutputStream as FileOutputStream, g_file_output_stream_get_type if gio GMemoryOutputStream as MemoryOutputStream, g_memory_output_stream_get_type if gio GInputStream as InputStream, g_input_stream_get_type if gio # GUnixInputStream as UnixInputStream, g_unix_input_stream_get_type if gio GMemoryInputStream as MemoryInputStream, g_memory_input_stream_get_type if gio GFilterInputStream as FilterInputStream, g_filter_input_stream_get_type if gio GBufferedInputStream as BufferedInputStream, g_buffered_input_stream_get_type if gio GDataInputStream as DataInputStream, g_data_input_stream_get_type if gio GFileInputStream as FileInputStream, g_file_input_stream_get_type if gio # GDesktopAppInfo as DesktopAppInfo, g_desktop_app_info_get_type if gio GFileMonitor as FileMonitor, g_file_monitor_get_type if gio GVfs as Vfs, g_vfs_get_type if gio GMountOperation as MountOperation, g_mount_operation_get_type if gio GThemedIcon as ThemedIcon, g_themed_icon_get_type if gio GEmblem as Emblem, g_emblem_get_type if gio GEmblemedIcon as EmblemedIcon, g_emblemed_icon_get_type if gio GFileEnumerator as FileEnumerator, g_file_enumerator_get_type if gio GFilenameCompleter as FilenameCompleter, g_filename_completer_get_type if gio GFileIcon as FileIcon, g_file_icon_get_type if gio GVolumeMonitor as VolumeMonitor, g_volume_monitor_get_type if gio GCancellable as Cancellable, g_cancellable_get_type if gio GSimpleAsyncResult as SimpleAsyncResult, g_async_result_get_type if gio GFileInfo as FileInfo, g_file_info_get_type if gio GAppLaunchContext as AppLaunchContext, g_app_launch_context_get_type if gio ## these are actually GInterfaces GIcon as Icon, g_icon_get_type if gio GSeekable as Seekable, g_seekable_get_type if gio GAppInfo as AppInfo, g_app_info_get_type if gio GVolume as Volume, g_volume_get_type if gio GAsyncResult as AsyncResult, g_async_result_get_type if gio GLoadableIcon as LoadableIcon, g_loadable_icon_get_type if gio GDrive as Drive, g_drive_get_type if gio GFile noEq as File, g_file_get_type if gio GMount as Mount, g_mount_get_type if gio ## GStreamer classes GstObject as Object, gst_object_get_type if gstreamer GstPad as Pad, gst_pad_get_type if gstreamer GstGhostPad as GhostPad, gst_ghost_pad_get_type if gstreamer GstPluginFeature as PluginFeature, gst_plugin_feature_get_type if gstreamer GstElementFactory as ElementFactory, gst_element_factory_get_type if gstreamer GstTypeFindFactory as TypeFindFactory, gst_type_find_factory_get_type if gstreamer GstIndexFactory as IndexFactory, gst_index_factory_get_type if gstreamer GstElement as Element, gst_element_get_type if gstreamer GstBin as Bin, gst_bin_get_type if gstreamer GstPipeline as Pipeline, gst_pipeline_get_type if gstreamer GstImplementsInterface as ImplementsInterface, gst_implements_interface_get_type if gstreamer GstTagSetter as TagSetter, gst_tag_setter_get_type if gstreamer GstBaseSrc as BaseSrc, gst_base_src_get_type if gstreamer GstPushSrc as PushSrc, gst_push_src_get_type if gstreamer GstBaseSink as BaseSink, gst_base_sink_get_type if gstreamer GstBaseTransform as BaseTransform, gst_base_transform_get_type if gstreamer GstPlugin as Plugin, gst_plugin_get_type if gstreamer GstRegistry as Registry, gst_registry_get_type if gstreamer GstBus as Bus, gst_bus_get_type if gstreamer GstClock as Clock, gst_clock_get_type if gstreamer GstAudioClock as AudioClock, gst_audio_clock_get_type if gstreamer GstSystemClock as SystemClock, gst_system_clock_get_type if gstreamer GstNetClientClock as NetClientClock, gst_net_client_clock_get_type if gstreamer GstIndex as Index, gst_index_get_type if gstreamer GstPadTemplate as PadTemplate, gst_pad_template_get_type if gstreamer GstTask as Task, gst_task_get_type if gstreamer GstXML as XML, gst_xml_get_type if gstreamer GstChildProxy as ChildProxy, gst_child_proxy_get_type if gstreamer GstCollectPads as CollectPads, gst_collect_pads_get_type if gstreamer ## these are actually GInterfaces GstURIHandler as URIHandler, gst_uri_handler_get_type if gstreamer GstAdapter as Adapter, gst_adapter_get_type if gstreamer GstController as Controller, gst_controller_get_type if gstreamer WebKitWebFrame as WebFrame, webkit_web_frame_get_type if webkit WebKitWebSettings as WebSettings, webkit_web_settings_get_type if webkit WebKitNetworkRequest as NetworkRequest, webkit_network_request_get_type if webkit WebKitNetworkResponse as NetworkResponse, webkit_network_response_get_type if webkit WebKitDownload as Download, webkit_download_get_type if webkit WebKitWebBackForwardList as WebBackForwardList, webkit_web_back_forward_list_get_type if webkit WebKitWebHistoryItem as WebHistoryItem, webkit_web_history_item_get_type if webkit WebKitWebInspector as WebInspector, webkit_web_inspector_get_type if webkit WebKitHitTestResult as HitTestResult, webkit_hit_test_result_get_type if webkit WebKitSecurityOrigin as SecurityOrigin, webkit_security_origin_get_type if webkit WebKitSoupAuthDialog as SoupAuthDialog, webkit_soup_auth_dialog_get_type if webkit WebKitWebDatabase as WebDatabase, webkit_web_database_get_type if webkit WebKitWebDataSource as WebDataSource, webkit_web_data_source_get_type if webkit WebKitWebNavigationAction as WebNavigationAction, webkit_web_navigation_action_get_type if webkit WebKitWebPolicyDecision as WebPolicyDecision, webkit_web_policy_decision_get_type if webkit WebKitWebResource as WebResource, webkit_web_resource_get_type if webkit WebKitWebWindowFeatures as WebWindowFeatures, webkit_web_window_features_get_type if webkit vte-0.12.1/SetupMain.hs0000644000000000000000000000076311633370377013040 0ustar0000000000000000-- The real Setup file for a Gtk2Hs package (invoked via the SetupWrapper). -- It contains only adjustments specific to this package, -- all Gtk2Hs-specific boilerplate is kept in Gtk2HsSetup.hs -- which should be kept identical across all packages. -- import Gtk2HsSetup ( gtk2hsUserHooks, checkGtk2hsBuildtools ) import Distribution.Simple ( defaultMainWithHooks ) main = do checkGtk2hsBuildtools ["gtk2hsC2hs", "gtk2hsTypeGen", "gtk2hsHookGenerator"] defaultMainWithHooks gtk2hsUserHooks vte-0.12.1/COPYING0000644000000000000000000006351011633370377011631 0ustar0000000000000000 GNU LESSER GENERAL PUBLIC LICENSE Version 2.1, February 1999 Copyright (C) 1991, 1999 Free Software Foundation, Inc. 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. [This is the first released version of the Lesser GPL. It also counts as the successor of the GNU Library Public License, version 2, hence the version number 2.1.] Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public Licenses are intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This license, the Lesser General Public License, applies to some specially designated software packages--typically libraries--of the Free Software Foundation and other authors who decide to use it. You can use it too, but we suggest you first think carefully about whether this license or the ordinary General Public License is the better strategy to use in any particular case, based on the explanations below. When we speak of free software, we are referring to freedom of use, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish); that you receive source code or can get it if you want it; that you can change the software and use pieces of it in new free programs; and that you are informed that you can do these things. To protect your rights, we need to make restrictions that forbid distributors to deny you these rights or to ask you to surrender these rights. These restrictions translate to certain responsibilities for you if you distribute copies of the library or if you modify it. For example, if you distribute copies of the library, whether gratis or for a fee, you must give the recipients all the rights that we gave you. You must make sure that they, too, receive or can get the source code. If you link other code with the library, you must provide complete object files to the recipients, so that they can relink them with the library after making changes to the library and recompiling it. And you must show them these terms so they know their rights. We protect your rights with a two-step method: (1) we copyright the library, and (2) we offer you this license, which gives you legal permission to copy, distribute and/or modify the library. To protect each distributor, we want to make it very clear that there is no warranty for the free library. Also, if the library is modified by someone else and passed on, the recipients should know that what they have is not the original version, so that the original author's reputation will not be affected by problems that might be introduced by others. Finally, software patents pose a constant threat to the existence of any free program. We wish to make sure that a company cannot effectively restrict the users of a free program by obtaining a restrictive license from a patent holder. Therefore, we insist that any patent license obtained for a version of the library must be consistent with the full freedom of use specified in this license. Most GNU software, including some libraries, is covered by the ordinary GNU General Public License. This license, the GNU Lesser General Public License, applies to certain designated libraries, and is quite different from the ordinary General Public License. We use this license for certain libraries in order to permit linking those libraries into non-free programs. When a program is linked with a library, whether statically or using a shared library, the combination of the two is legally speaking a combined work, a derivative of the original library. The ordinary General Public License therefore permits such linking only if the entire combination fits its criteria of freedom. The Lesser General Public License permits more lax criteria for linking other code with the library. We call this license the "Lesser" General Public License because it does Less to protect the user's freedom than the ordinary General Public License. It also provides other free software developers Less of an advantage over competing non-free programs. These disadvantages are the reason we use the ordinary General Public License for many libraries. However, the Lesser license provides advantages in certain special circumstances. For example, on rare occasions, there may be a special need to encourage the widest possible use of a certain library, so that it becomes a de-facto standard. To achieve this, non-free programs must be allowed to use the library. A more frequent case is that a free library does the same job as widely used non-free libraries. In this case, there is little to gain by limiting the free library to free software only, so we use the Lesser General Public License. In other cases, permission to use a particular library in non-free programs enables a greater number of people to use a large body of free software. For example, permission to use the GNU C Library in non-free programs enables many more people to use the whole GNU operating system, as well as its variant, the GNU/Linux operating system. Although the Lesser General Public License is Less protective of the users' freedom, it does ensure that the user of a program that is linked with the Library has the freedom and the wherewithal to run that program using a modified version of the Library. The precise terms and conditions for copying, distribution and modification follow. Pay close attention to the difference between a "work based on the library" and a "work that uses the library". The former contains code derived from the library, whereas the latter must be combined with the library in order to run. GNU LESSER GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License Agreement applies to any software library or other program which contains a notice placed by the copyright holder or other authorized party saying it may be distributed under the terms of this Lesser General Public License (also called "this License"). Each licensee is addressed as "you". A "library" means a collection of software functions and/or data prepared so as to be conveniently linked with application programs (which use some of those functions and data) to form executables. The "Library", below, refers to any such software library or work which has been distributed under these terms. A "work based on the Library" means either the Library or any derivative work under copyright law: that is to say, a work containing the Library or a portion of it, either verbatim or with modifications and/or translated straightforwardly into another language. (Hereinafter, translation is included without limitation in the term "modification".) "Source code" for a work means the preferred form of the work for making modifications to it. For a library, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the library. Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running a program using the Library is not restricted, and output from such a program is covered only if its contents constitute a work based on the Library (independent of the use of the Library in a tool for writing it). Whether that is true depends on what the Library does and what the program that uses the Library does. 1. You may copy and distribute verbatim copies of the Library's complete source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and distribute a copy of this License along with the Library. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Library or any portion of it, thus forming a work based on the Library, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) The modified work must itself be a software library. b) You must cause the files modified to carry prominent notices stating that you changed the files and the date of any change. c) You must cause the whole of the work to be licensed at no charge to all third parties under the terms of this License. d) If a facility in the modified Library refers to a function or a table of data to be supplied by an application program that uses the facility, other than as an argument passed when the facility is invoked, then you must make a good faith effort to ensure that, in the event an application does not supply such function or table, the facility still operates, and performs whatever part of its purpose remains meaningful. (For example, a function in a library to compute square roots has a purpose that is entirely well-defined independent of the application. Therefore, Subsection 2d requires that any application-supplied function or table used by this function must be optional: if the application does not supply it, the square root function must still compute square roots.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Library, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Library, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Library. In addition, mere aggregation of another work not based on the Library with the Library (or with a work based on the Library) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may opt to apply the terms of the ordinary GNU General Public License instead of this License to a given copy of the Library. To do this, you must alter all the notices that refer to this License, so that they refer to the ordinary GNU General Public License, version 2, instead of to this License. (If a newer version than version 2 of the ordinary GNU General Public License has appeared, then you can specify that version instead if you wish.) Do not make any other change in these notices. Once this change is made in a given copy, it is irreversible for that copy, so the ordinary GNU General Public License applies to all subsequent copies and derivative works made from that copy. This option is useful when you wish to copy part of the code of the Library into a program that is not a library. 4. You may copy and distribute the Library (or a portion or derivative of it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange. If distribution of object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place satisfies the requirement to distribute the source code, even though third parties are not compelled to copy the source along with the object code. 5. A program that contains no derivative of any portion of the Library, but is designed to work with the Library by being compiled or linked with it, is called a "work that uses the Library". Such a work, in isolation, is not a derivative work of the Library, and therefore falls outside the scope of this License. However, linking a "work that uses the Library" with the Library creates an executable that is a derivative of the Library (because it contains portions of the Library), rather than a "work that uses the library". The executable is therefore covered by this License. Section 6 states terms for distribution of such executables. When a "work that uses the Library" uses material from a header file that is part of the Library, the object code for the work may be a derivative work of the Library even though the source code is not. Whether this is true is especially significant if the work can be linked without the Library, or if the work is itself a library. The threshold for this to be true is not precisely defined by law. If such an object file uses only numerical parameters, data structure layouts and accessors, and small macros and small inline functions (ten lines or less in length), then the use of the object file is unrestricted, regardless of whether it is legally a derivative work. (Executables containing this object code plus portions of the Library will still fall under Section 6.) Otherwise, if the work is a derivative of the Library, you may distribute the object code for the work under the terms of Section 6. Any executables containing that work also fall under Section 6, whether or not they are linked directly with the Library itself. 6. As an exception to the Sections above, you may also combine or link a "work that uses the Library" with the Library to produce a work containing portions of the Library, and distribute that work under terms of your choice, provided that the terms permit modification of the work for the customer's own use and reverse engineering for debugging such modifications. You must give prominent notice with each copy of the work that the Library is used in it and that the Library and its use are covered by this License. You must supply a copy of this License. If the work during execution displays copyright notices, you must include the copyright notice for the Library among them, as well as a reference directing the user to the copy of this License. Also, you must do one of these things: a) Accompany the work with the complete corresponding machine-readable source code for the Library including whatever changes were used in the work (which must be distributed under Sections 1 and 2 above); and, if the work is an executable linked with the Library, with the complete machine-readable "work that uses the Library", as object code and/or source code, so that the user can modify the Library and then relink to produce a modified executable containing the modified Library. (It is understood that the user who changes the contents of definitions files in the Library will not necessarily be able to recompile the application to use the modified definitions.) b) Use a suitable shared library mechanism for linking with the Library. A suitable mechanism is one that (1) uses at run time a copy of the library already present on the user's computer system, rather than copying library functions into the executable, and (2) will operate properly with a modified version of the library, if the user installs one, as long as the modified version is interface-compatible with the version that the work was made with. c) Accompany the work with a written offer, valid for at least three years, to give the same user the materials specified in Subsection 6a, above, for a charge no more than the cost of performing this distribution. d) If distribution of the work is made by offering access to copy from a designated place, offer equivalent access to copy the above specified materials from the same place. e) Verify that the user has already received a copy of these materials or that you have already sent this user a copy. For an executable, the required form of the "work that uses the Library" must include any data and utility programs needed for reproducing the executable from it. However, as a special exception, the materials to be distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. It may happen that this requirement contradicts the license restrictions of other proprietary libraries that do not normally accompany the operating system. Such a contradiction means you cannot use both them and the Library together in an executable that you distribute. 7. You may place library facilities that are a work based on the Library side-by-side in a single library together with other library facilities not covered by this License, and distribute such a combined library, provided that the separate distribution of the work based on the Library and of the other library facilities is otherwise permitted, and provided that you do these two things: a) Accompany the combined library with a copy of the same work based on the Library, uncombined with any other library facilities. This must be distributed under the terms of the Sections above. b) Give prominent notice with the combined library of the fact that part of it is a work based on the Library, and explaining where to find the accompanying uncombined form of the same work. 8. You may not copy, modify, sublicense, link with, or distribute the Library except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense, link with, or distribute the Library is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 9. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Library or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Library (or any work based on the Library), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Library or works based on it. 10. Each time you redistribute the Library (or any work based on the Library), the recipient automatically receives a license from the original licensor to copy, distribute, link with or modify the Library subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties with this License. 11. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Library at all. For example, if a patent license would not permit royalty-free redistribution of the Library by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Library. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply, and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 12. If the distribution and/or use of the Library is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Library under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 13. The Free Software Foundation may publish revised and/or new versions of the Lesser General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Library specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Library does not specify a license version number, you may choose any version ever published by the Free Software Foundation. 14. If you wish to incorporate parts of the Library into other free programs whose distribution conditions are incompatible with these, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Libraries If you develop a new library, and you want it to be of the greatest possible use to the public, we recommend making it free software that everyone can redistribute and change. You can do so by permitting redistribution under these terms (or, alternatively, under the terms of the ordinary General Public License). To apply these terms, attach the following notices to the library. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This library is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2.1 of the License, or (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this library; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA Also add information on how to contact you by electronic and paper mail. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the library, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the library `Frob' (a library for tweaking knobs) written by James Random Hacker. , 1 April 1990 Ty Coon, President of Vice That's all there is to it! vte-0.12.1/Graphics/0000755000000000000000000000000011633370377012331 5ustar0000000000000000vte-0.12.1/Graphics/UI/0000755000000000000000000000000011633370377012646 5ustar0000000000000000vte-0.12.1/Graphics/UI/Gtk/0000755000000000000000000000000011633370377013373 5ustar0000000000000000vte-0.12.1/Graphics/UI/Gtk/Vte/0000755000000000000000000000000011633370377014131 5ustar0000000000000000vte-0.12.1/Graphics/UI/Gtk/Vte/Types.chs0000644000000000000000000000617511633370377015745 0ustar0000000000000000{-# OPTIONS_HADDOCK hide #-} -- -*-haskell-*- -- -------------------- automatically generated file - do not edit ---------- -- Object hierarchy for the GIMP Toolkit (GTK) Binding for Haskell -- -- Author : Axel Simon -- -- Copyright (C) 2001-2005 Axel Simon -- -- This library is free software; you can redistribute it and/or -- modify it under the terms of the GNU Lesser General Public -- License as published by the Free Software Foundation; either -- version 2.1 of the License, or (at your option) any later version. -- -- This library is distributed in the hope that it will be useful, -- but WITHOUT ANY WARRANTY; without even the implied warranty of -- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -- Lesser General Public License for more details. -- -- #hide -- | -- Maintainer : gtk2hs-users@lists.sourceforge.net -- Stability : provisional -- Portability : portable (depends on GHC) -- -- This file reflects the Gtk+ object hierarchy in terms of Haskell classes. -- -- Note: the mk... functions were originally meant to simply be an alias -- for the constructor. However, in order to communicate the destructor -- of an object to objectNew, the mk... functions are now a tuple containing -- Haskell constructor and the destructor function pointer. This hack avoids -- changing all modules that simply pass mk... to objectNew. -- module Graphics.UI.Gtk.Vte.Types ( module Graphics.UI.GtkInternals, Terminal(Terminal), TerminalClass, toTerminal, mkTerminal, unTerminal, castToTerminal, gTypeTerminal ) where import Foreign.ForeignPtr (ForeignPtr, castForeignPtr, unsafeForeignPtrToPtr) import Foreign.C.Types (CULong, CUInt) import System.Glib.GType (GType, typeInstanceIsA) {#import Graphics.UI.GtkInternals#} {# context lib="gtk" prefix="gtk" #} -- The usage of foreignPtrToPtr should be safe as the evaluation will only be -- forced if the object is used afterwards -- castTo :: (GObjectClass obj, GObjectClass obj') => GType -> String -> (obj -> obj') castTo gtype objTypeName obj = case toGObject obj of gobj@(GObject objFPtr) | typeInstanceIsA ((unsafeForeignPtrToPtr.castForeignPtr) objFPtr) gtype -> unsafeCastGObject gobj | otherwise -> error $ "Cannot cast object to " ++ objTypeName -- ******************************************************************* Terminal {#pointer *VteTerminal as Terminal foreign newtype #} deriving (Eq,Ord) mkTerminal = (Terminal, objectUnrefFromMainloop) unTerminal (Terminal o) = o class BinClass o => TerminalClass o toTerminal :: TerminalClass o => o -> Terminal toTerminal = unsafeCastGObject . toGObject instance TerminalClass Terminal instance BinClass Terminal instance ContainerClass Terminal instance WidgetClass Terminal instance ObjectClass Terminal instance GObjectClass Terminal where toGObject = GObject . castForeignPtr . unTerminal unsafeCastGObject = Terminal . castForeignPtr . unGObject castToTerminal :: GObjectClass obj => obj -> Terminal castToTerminal = castTo gTypeTerminal "Terminal" gTypeTerminal :: GType gTypeTerminal = {# call fun unsafe vte_terminal_get_type #} vte-0.12.1/Graphics/UI/Gtk/Vte/Vte.chs0000644000000000000000000021002511633370377015366 0ustar0000000000000000{-# LANGUAGE CPP #-} -- -*-haskell-*- -- GIMP Toolkit (GTK) widget for VTE -- -- Author : Andy Stewart -- -- Created: 20 Sep 2009 -- -- Copyright (C) 2009 Andy Stewart -- -- This library is free software; you can redistribute it and/or -- modify it under the terms of the GNU Lesser General Public -- License as published by the Free Software Foundation; either -- version 2.1 of the License, or (at your option) any later version. -- -- This library is distributed in the hope that it will be useful, -- but WITHOUT ANY WARRANTY; without even the implied warranty of -- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -- Lesser General Public License for more details. -- -- | -- Maintainer : gtk2hs-users@lists.sourceforge.net -- Stability : provisional -- Portability : portable (depends on GHC) -- -- A terminal widget -- ----------------------------------------------------------------------------- -- module Graphics.UI.Gtk.Vte.Vte ( -- * Types Terminal, VteSelect, VteChar(..), -- * Enums TerminalEraseBinding(..), TerminalCursorBlinkMode(..), TerminalCursorShape(..), RegexCompileFlags(..), RegexMatchFlags(..), -- * Constructors terminalNew, -- * Methods terminalImAppendMenuitems, terminalForkCommand, terminalForkpty, terminalSetPty, terminalGetPty, terminalFeed, terminalFeedChild, terminalFeedChildBinary, terminalGetChildExitStatus, terminalSelectAll, terminalSelectNone, terminalCopyClipboard, terminalPasteClipboard, terminalCopyPrimary, terminalPastePrimary, terminalSetSize, terminalSetAudibleBell, terminalGetAudibleBell, terminalSetVisibleBell, terminalGetVisibleBell, terminalSetAllowBold, terminalGetAllowBold, terminalSetScrollOnOutput, terminalSetScrollOnKeystroke, terminalSetColorBold, terminalSetColorForeground, terminalSetColorBackground, terminalSetColorDim, terminalSetColorCursor, terminalSetColorHighlight, terminalSetColors, terminalSetDefaultColors, terminalSetOpacity, terminalSetBackgroundImage, terminalSetBackgroundImageFile, terminalSetBackgroundSaturation, terminalSetBackgroundTransparent, terminalSetBackgroundTintColor, terminalSetScrollBackground, terminalSetCursorShape, terminalGetCursorShape, terminalSetCursorBlinkMode, terminalGetCursorBlinkMode, terminalSetScrollbackLines, terminalSetFont, terminalSetFontFromString, terminalGetFont, terminalGetHasSelection, terminalSetWordChars, terminalIsWordChar, terminalSetBackspaceBinding, terminalSetDeleteBinding, terminalSetMouseAutohide, terminalGetMouseAutohide, terminalReset, terminalGetText, terminalGetTextIncludeTrailingSpaces, terminalGetTextRange, terminalGetCursorPosition, terminalMatchClearAll, terminalMatchAddRegex, terminalMatchRemove, terminalMatchCheck, terminalMatchSetCursor, terminalMatchSetCursorType, terminalMatchSetCursorName, terminalSetEmulation, terminalGetEmulation, terminalGetDefaultEmulation, terminalSetEncoding, terminalGetEncoding, terminalGetStatusLine, terminalGetPadding, terminalGetAdjustment, terminalGetCharHeight, terminalGetCharWidth, terminalGetColumnCount, terminalGetRowCount, terminalGetIconTitle, terminalGetWindowTitle, -- * Attributes terminalAllowBold, terminalAudibleBell, terminalBackgroundImageFile, terminalBackgroundImagePixbuf, terminalBackgroundOpacity, terminalBackgroundSaturation, terminalBackgroundTintColor, terminalBackgroundTransparent, terminalBackspaceBinding, terminalCursorBlinkMode, terminalCursorShape, terminalDeleteBinding, terminalEmulation, terminalEncoding, terminalFontDesc, terminalIconTitle, terminalPointerAutohide, terminalPty, terminalScrollBackground, terminalScrollOnKeystroke, terminalScrollOnOutput, terminalScrollbackLines, terminalVisibleBell, terminalWindowTitle, terminalWordChars, -- * Signals beep, charSizeChanged, childExited, commit, contentsChanged, copyClipboard, cursorMoved, decreaseFontSize, deiconifyWindow, emulationChanged, encodingChanged, eof, iconTitleChanged, iconifyWindow, increaseFontSize, lowerWindow, maximizeWindow, moveWindow, pasteClipboard, raiseWindow, refreshWindow, resizeWidnow, restoreWindow, selectionChanged, setScrollAdjustments, statusLineChanged, textDeleted, textInserted, textModified, textScrolled, windowTitleChanged, ) where import Control.Monad (liftM, unless) import Data.Char import Data.Word import System.Glib.Attributes import System.Glib.FFI import System.Glib.UTFString import System.Glib.Properties import System.Glib.GError import System.Glib.Flags (Flags, fromFlags) import Graphics.UI.Gtk.Abstract.Widget (Color) import Graphics.UI.Gtk.Gdk.Cursor import Graphics.Rendering.Pango.BasicTypes (FontDescription(FontDescription), makeNewFontDescription) import Graphics.UI.Gtk.Vte.Structs {#import Graphics.UI.Gtk.General.Clipboard#} (selectionPrimary, selectionClipboard) {#import Graphics.UI.Gtk.Abstract.Object#} (makeNewObject) {#import Graphics.UI.Gtk.Vte.Types#} {#import Graphics.UI.Gtk.Vte.Signals#} {#import System.Glib.GObject#} {#import System.Glib.GError#} (propagateGError) {#context lib= "vte" prefix= "vte"#} -------------------- -- Types -- | A predicate that states which characters are of interest. The predicate -- @p c r@ where @p :: VteSelect@, should return @True@ if the character at -- column @c@ and row @r@ should be extracted. type VteSelect = Int -> Int -> Bool {#pointer SelectionFunc#} -- | A structure describing the individual characters in the visible part of -- a terminal window. -- data VteChar = VteChar { vcRow :: Int, vcCol :: Int, vcChar :: Char, vcFore :: Color, vcBack :: Color, vcUnderline :: Bool, vcStrikethrough :: Bool } -------------------- -- Utils -- | Utils function to transform 'VteAttributes' to 'VteChar'. attrToChar :: Char -> VteAttributes -> VteChar attrToChar ch (VteAttributes r c f b u s) = VteChar r c ch f b u s foreign import ccall "wrapper" mkVteSelectionFunc :: (Ptr Terminal -> {#type glong#} -> {#type glong#} -> Ptr () -> IO {#type gboolean#}) -> IO SelectionFunc -------------------- -- Enums -- | Values for what should happen when the user presses backspace\/delete. -- Use 'EraseAuto' unless the user can cause them to be overridden. {#enum VteTerminalEraseBinding as TerminalEraseBinding {underscoreToCase} deriving (Bounded,Eq,Show)#} -- | Values for the cursor blink setting. {#enum VteTerminalCursorBlinkMode as TerminalCursorBlinkMode {underscoreToCase} deriving (Bounded,Eq,Show)#} -- | Values for the cursor shape setting. {#enum VteTerminalCursorShape as TerminalCursorShape {underscoreToCase} deriving (Bounded,Eq,Show)#} -- | Flags determining how the regular expression is to be interpreted. See -- -- for an explanation of these flags. -- {#enum GRegexCompileFlags as RegexCompileFlags {underscoreToCase} deriving (Bounded,Eq,Show) #} instance Flags RegexCompileFlags -- | Flags determining how the string is matched against the regular -- expression. See -- -- for an explanation of these flags. -- {#enum GRegexMatchFlags as RegexMatchFlags {underscoreToCase} deriving (Bounded,Eq,Show) #} instance Flags RegexMatchFlags -------------------- -- Constructors -- | Create a new terminal widget. terminalNew :: IO Terminal terminalNew = makeNewObject mkTerminal $ liftM castPtr {#call terminal_new#} -------------------- -- Methods -- | Appends menu items for various input methods to the given menu. -- The user can select one of these items to modify the input method used by the terminal. terminalImAppendMenuitems :: TerminalClass self => self -> MenuShell -- ^ @menushell@ - a menu shell of 'MenuShell' -> IO () terminalImAppendMenuitems terminal menushell = {#call terminal_im_append_menuitems#} (toTerminal terminal) menushell -- | Starts the specified command under a newly-allocated controlling pseudo-terminal. terminalForkCommand :: TerminalClass self => self -> (Maybe String) -- ^ @command@ - the name of a binary to run, or @Nothing@ to get user's shell -> (Maybe [String]) -- ^ @argv@ - the argument list to be passed to command, or @Nothing@ -> (Maybe [String]) -- ^ @envv@ - a list of environment variables to be added to the environment before starting command, or @Nothing@ -> (Maybe String) -- ^ @directory@ - the name of a directory the command should start in, or @Nothing@ -> Bool -- ^ @lastlog@ - @True@ if the session should be logged to the lastlog -> Bool -- ^ @utmp@ - @True@ if the session should be logged to the utmp/utmpx log -> Bool -- ^ @wtmp@ - @True@ if the session should be logged to the wtmp/wtmpx log -> IO Int -- ^ return the ID of the new process terminalForkCommand terminal command argv envv directory lastlog utmp wtmp = liftM fromIntegral $ maybeWith withUTFString command $ \commandPtr -> maybeWith withUTFString directory $ \dirPtr -> maybeWith withUTFStringArray argv $ \argvPtrPtr -> maybeWith withUTFStringArray envv $ \envvPtrPtr -> {#call terminal_fork_command#} (toTerminal terminal) commandPtr argvPtrPtr envvPtrPtr dirPtr (fromBool lastlog) (fromBool utmp) (fromBool wtmp) -- | Starts a new child process under a newly-allocated controlling pseudo-terminal. -- -- * Available since Vte version 0.11.11 -- terminalForkpty :: TerminalClass self => self -> (Maybe [String]) -- ^ @envv@ - a list of environment variables to be added to the environment before starting returning in the child process, or @Nothing@ -> (Maybe String) -- ^ @directory@ - the name of a directory the child process should change to, or @Nothing@ -> Bool -- ^ @lastlog@ - @True@ if the session should be logged to the lastlog -> Bool -- ^ @utmp@ - @True@ if the session should be logged to the utmp/utmpx log -> Bool -- ^ @wtmp@ - @True@ if the session should be logged to the wtmp/wtmpx log -> IO Int -- ^ return the ID of the new process in the parent, 0 in the child, and -1 if there was an error terminalForkpty terminal envv directory lastlog utmp wtmp = liftM fromIntegral $ maybeWith withUTFString directory $ \dirPtr -> maybeWith withUTFStringArray envv $ \envvPtrPtr -> {#call terminal_forkpty#} (toTerminal terminal) envvPtrPtr dirPtr (fromBool lastlog) (fromBool utmp) (fromBool wtmp) -- | Attach an existing PTY master side to the terminal widget. -- Use instead of 'terminalForkCommand' or 'terminalForkpty'. -- -- * Available since Vte version 0.12.1 -- terminalSetPty :: TerminalClass self => self -> Int -- ^ @ptyMaster@ - a file descriptor of the master end of a PTY -> IO () terminalSetPty terminal ptyMaster = {#call terminal_set_pty#} (toTerminal terminal) (fromIntegral ptyMaster) -- | Returns the file descriptor of the master end of terminal's PTY. -- -- * Available since Vte version 0.19.1 -- terminalGetPty :: TerminalClass self => self -> IO Int -- ^ return the file descriptor, or -1 if the terminal has no PTY. terminalGetPty terminal = liftM fromIntegral $ {#call terminal_get_pty#} (toTerminal terminal) -- | Interprets data as if it were data received from a child process. This -- can either be used to drive the terminal without a child process, or just -- to mess with your users. terminalFeed :: TerminalClass self => self -> String -- ^ @string@ - a string in the terminal's current encoding -> IO () terminalFeed terminal string = withUTFStringLen string $ \(strPtr, len) -> {#call terminal_feed#} (toTerminal terminal) strPtr (fromIntegral len) -- | Sends a block of UTF-8 text to the child as if it were entered by the -- user at the keyboard. terminalFeedChild :: TerminalClass self => self -> String -- ^ @string@ - data to send to the child -> IO () terminalFeedChild terminal string = withUTFStringLen string $ \(strPtr, len) -> {#call terminal_feed_child#} (toTerminal terminal) strPtr (fromIntegral len) -- | Sends a block of binary data to the child. -- -- * Available since Vte version 0.12.1 -- terminalFeedChildBinary :: TerminalClass self => self -> [Word8] -- ^ @data@ - data to send to the child -> IO () terminalFeedChildBinary terminal string = withArrayLen string $ \len strPtr -> {#call terminal_feed_child_binary#} (toTerminal terminal) (castPtr strPtr) (fromIntegral len) -- | Gets the exit status of the command started by 'terminalForkCommand'. -- -- * Available since Vte version 0.19.1 -- terminalGetChildExitStatus :: TerminalClass self => self -> IO Int -- ^ return the child's exit status terminalGetChildExitStatus terminal = liftM fromIntegral $ {#call terminal_get_child_exit_status#} (toTerminal terminal) -- | Selects all text within the terminal (including the scrollback buffer). -- -- * Available since Vte version 0.16 -- terminalSelectAll :: TerminalClass self => self -> IO () terminalSelectAll terminal = {#call terminal_select_all#} (toTerminal terminal) -- | Clears the current selection. -- -- * Available since Vte version 0.16 -- terminalSelectNone :: TerminalClass self => self -> IO () terminalSelectNone terminal = {#call terminal_select_none#} (toTerminal terminal) -- | Places the selected text in the terminal in the 'selectionClipboard' -- selection. terminalCopyClipboard :: TerminalClass self => self -> IO () terminalCopyClipboard terminal = {#call terminal_copy_clipboard#} (toTerminal terminal) -- | Sends the contents of the 'selectionClipboard' selection to the -- terminal's child. If necessary, the data is converted from UTF-8 to the -- terminal's current encoding. It's called on paste menu item, or when user -- presses Shift+Insert. terminalPasteClipboard :: TerminalClass self => self -> IO () terminalPasteClipboard terminal = {#call terminal_paste_clipboard#} (toTerminal terminal) -- | Places the selected text in the terminal in the -- 'selectionPrimary' selection. terminalCopyPrimary :: TerminalClass self => self -> IO () terminalCopyPrimary terminal = {#call terminal_copy_primary#} (toTerminal terminal) -- | Sends the contents of the -- 'selectionPrimary' selection to the -- terminal's child. If necessary, the data is converted from UTF-8 to the -- terminal's current encoding. The terminal will call also paste the -- 'SelectionPrimary' selection when the user clicks with the the second mouse -- button. terminalPastePrimary :: TerminalClass self => self -> IO () terminalPastePrimary terminal = {#call terminal_paste_primary#} (toTerminal terminal) -- | Attempts to change the terminal's size in terms of rows and columns. -- If the attempt succeeds, the widget will resize itself to the proper size. terminalSetSize :: TerminalClass self => self -> Int -- ^ @columns@ - the desired number of columns -> Int -- ^ @rows@ - the desired number of rows -> IO () terminalSetSize terminal columns rows = {#call terminal_set_size#} (toTerminal terminal) (fromIntegral columns) (fromIntegral rows) -- | Controls whether or not the terminal will beep when the child outputs the \"bl\" sequence. terminalSetAudibleBell :: TerminalClass self => self -> Bool -- ^ @isAudible@ - @True@ if the terminal should beep -> IO () terminalSetAudibleBell terminal isAudible = {#call terminal_set_audible_bell#} (toTerminal terminal) (fromBool isAudible) -- | Checks whether or not the terminal will beep when the child outputs the \"bl\" sequence. terminalGetAudibleBell :: TerminalClass self => self -> IO Bool -- ^ return @True@ if audible bell is enabled, @False@ if not terminalGetAudibleBell terminal = liftM toBool $ {#call terminal_get_audible_bell#} (toTerminal terminal) -- | Controls whether or not the terminal will present a visible bell to the user when the child outputs the \"bl\" sequence. -- The terminal will clear itself to the default foreground color and then repaint itself. terminalSetVisibleBell :: TerminalClass self => self -> Bool -- ^ @isVisible@ - @True@ if the terminal should flash -> IO () terminalSetVisibleBell terminal isVisible = {#call terminal_set_visible_bell#} (toTerminal terminal) (fromBool isVisible) -- | Checks whether or not the terminal will present a visible bell to the user when the child outputs the \"bl\" sequence. -- The terminal will clear itself to the default foreground color and then repaint itself. terminalGetVisibleBell :: TerminalClass self => self -> IO Bool -- ^ return @True@ if visible bell is enabled, @False@ if not terminalGetVisibleBell terminal = liftM toBool $ {#call terminal_get_visible_bell#} (toTerminal terminal) -- | Controls whether or not the terminal will attempt to draw bold text, -- either by using a bold font variant or by repainting text with a different offset. terminalSetAllowBold :: TerminalClass self => self -> Bool -- ^ @allowBold@ - @True@ if the terminal should attempt to draw bold text -> IO () terminalSetAllowBold terminal allowBold = {#call terminal_set_allow_bold#} (toTerminal terminal) (fromBool allowBold) -- | Checks whether or not the terminal will attempt to draw bold text by repainting text with a one-pixel offset. terminalGetAllowBold :: TerminalClass self => self -> IO Bool -- ^ return @True@ if bolding is enabled, @False@ if not terminalGetAllowBold terminal = liftM toBool $ {#call terminal_get_allow_bold#} (toTerminal terminal) -- | Controls whether or not the terminal will forcibly scroll to the bottom of the viewable history when the new data is received from the child. terminalSetScrollOnOutput :: TerminalClass self => self -> Bool -- ^ @scroll@ - @True@ if the terminal should scroll on output -> IO () terminalSetScrollOnOutput terminal scroll = {#call terminal_set_scroll_on_output#} (toTerminal terminal) (fromBool scroll) -- | Controls whether or not the terminal will forcibly scroll to the bottom of the viewable history when the user presses a key. -- Modifier keys do not trigger this behavior. terminalSetScrollOnKeystroke :: TerminalClass self => self -> Bool -- ^ @scroll@ - @True@ if the terminal should scroll on keystrokes -> IO () terminalSetScrollOnKeystroke terminal scroll = {#call terminal_set_scroll_on_keystroke#} (toTerminal terminal) (fromBool scroll) -- | Sets the color used to draw bold text in the default foreground color. terminalSetColorBold :: TerminalClass self => self -> Color -- ^ @bold@ - the new bold color -> IO () terminalSetColorBold terminal bold = with bold $ \boldPtr -> {#call terminal_set_color_bold#} (toTerminal terminal) (castPtr boldPtr) -- | Sets the foreground color used to draw normal text terminalSetColorForeground :: TerminalClass self => self -> Color -- ^ @foreground@ - the new foreground color -> IO () terminalSetColorForeground terminal foreground = with foreground $ \fgPtr -> {#call terminal_set_color_foreground#} (toTerminal terminal) (castPtr fgPtr) -- | Sets the background color for text which does not have a specific background color assigned. -- Only has effect when no background image is set and when the terminal is not transparent. terminalSetColorBackground :: TerminalClass self => self -> Color -- ^ @background@ - the new background color -> IO () terminalSetColorBackground terminal background = with background $ \bgPtr -> {#call terminal_set_color_background#} (toTerminal terminal) (castPtr bgPtr) -- | Sets the color used to draw dim text in the default foreground color. terminalSetColorDim :: TerminalClass self => self -> Color -- ^ @dim@ - the nw dim color -> IO () terminalSetColorDim terminal dim = with dim $ \dimPtr -> {#call terminal_set_color_dim#} (toTerminal terminal) (castPtr dimPtr) -- | Sets the background color for text which is under the cursor. -- If @Nothing@, text under the cursor will be drawn with foreground and background colors reversed. -- -- * Available since Vte version 0.11.11 -- terminalSetColorCursor :: TerminalClass self => self -> Color -- ^ @cursor@ - the new color to use for the text cursor -> IO () terminalSetColorCursor terminal cursor = with cursor $ \cursorPtr -> {#call terminal_set_color_cursor#} (toTerminal terminal) (castPtr cursorPtr) -- | Sets the background color for text which is highlighted. -- If @Nothing@, highlighted text (which is usually highlighted because it is selected) will be drawn with foreground and background colors reversed. -- -- * Available since Vte version 0.11.11 -- terminalSetColorHighlight :: TerminalClass self => self -> Color -- ^ @highlight@ - the new color to use for highlighted text -> IO () terminalSetColorHighlight terminal highlight = with highlight $ \hlPtr -> {#call terminal_set_color_highlight#} (toTerminal terminal) (castPtr hlPtr) -- | The terminal widget uses a 28-color model comprised of the default foreground and background colors, -- the bold foreground color, the dim foreground color, an eight color palette, -- bold versions of the eight color palette, and a dim version of the the eight color palette. palette_size must be either 0, 8, 16, or 24. -- If foreground is @Nothing@ and palette_size is greater than 0, the new foreground color is taken from palette[7]. -- If background is @Nothing@ and palette_size is greater than 0, the new background color is taken from palette[0]. -- If palette_size is 8 or 16, the third (dim) and possibly the second (bold) 8-color palettes are extrapolated from the new background color and the items in palette. terminalSetColors :: TerminalClass self => self -> Color -- ^ @foreground@ - the new foreground color, or @Nothing@ -> Color -- ^ @background@ - the new background color, or @Nothing@ -> Color -- ^ @palette@ - the color palette -> Int -- ^ @size@ - the number of entries in palette -> IO () terminalSetColors terminal foreground background palette size = with foreground $ \fPtr -> with background $ \bPtr -> with palette $ \pPtr -> {#call terminal_set_colors#} (toTerminal terminal) (castPtr fPtr) (castPtr bPtr) (castPtr pPtr) (fromIntegral size) -- | Reset the terminal palette to reasonable compiled-in defaults. terminalSetDefaultColors :: TerminalClass self => self -> IO () terminalSetDefaultColors terminal = {#call terminal_set_default_colors#} (toTerminal terminal) -- | Sets the opacity of the terminal background, were 0 means completely transparent and 65535 means completely opaque. terminalSetOpacity :: TerminalClass self => self -> Int -- ^ @opacity@ - the new opacity -> IO () terminalSetOpacity terminal opacity = {#call terminal_set_opacity#} (toTerminal terminal) (fromIntegral opacity) -- | Sets a background image for the widget. -- Text which would otherwise be drawn using the default background color will instead be drawn over the specified image. -- If necessary, the image will be tiled to cover the widget's entire visible area. -- If specified by 'terminalSetBackgroundSaturation' the terminal will tint its in-memory copy of the image before applying it to the terminal. terminalSetBackgroundImage :: TerminalClass self => self -> Maybe Pixbuf -- ^ @image@ - a 'Pixbuf' to use, or @Nothing@ to use the default background -> IO () terminalSetBackgroundImage terminal (Just image) = {#call terminal_set_background_image#} (toTerminal terminal) image terminalSetBackgroundImage terminal Nothing = {#call terminal_set_background_image#} (toTerminal terminal) (Pixbuf nullForeignPtr) -- | Sets a background image for the widget. -- If specified by 'terminalSetBackgroundSaturation', the terminal will tint its in-memory copy of the image before applying it to the terminal. terminalSetBackgroundImageFile :: TerminalClass self => self -> String -- ^ @path@ - path to an image file -> IO () terminalSetBackgroundImageFile terminal path = withUTFString path $ \pathPtr -> {#call terminal_set_background_image_file#} (toTerminal terminal) pathPtr -- | If a background image has been set using 'terminalSetBackgroundImage', 'terminalSetBackgroundImageFile', or 'terminalSetBackgroundTransparent', -- and the saturation value is less than 1.0, the terminal will adjust the colors of the image before drawing the image. -- To do so, the terminal will create a copy of the background image (or snapshot of the root window) and modify its pixel values. terminalSetBackgroundSaturation :: TerminalClass self => self -> Double -- ^ @saturation@ - a floating point value between 0.0 and 1.0. -> IO () terminalSetBackgroundSaturation terminal saturation = {#call terminal_set_background_saturation#} (toTerminal terminal) (realToFrac saturation) -- | Sets the terminal's background image to the pixmap stored in the root window, adjusted so that if there are no windows below your application, -- the widget will appear to be transparent. terminalSetBackgroundTransparent :: TerminalClass self => self -> Bool -- ^ @transparent@ - @True@ if the terminal should fake transparency -> IO () terminalSetBackgroundTransparent terminal transparent = {#call terminal_set_background_transparent#} (toTerminal terminal) (fromBool transparent) -- | If a background image has been set using 'terminalSetBackgroundImage', 'terminalSetBackgroundImageFile', or 'terminalSetBackgroundTransparent', -- and the value set by 'terminalSetBackgroundSaturation' is less than one, the terminal will adjust the color of the image before drawing the image. -- To do so, the terminal will create a copy of the background image (or snapshot of the root window) and modify its pixel values. -- The initial tint color is black. -- -- * Available since Vte version 0.11 -- terminalSetBackgroundTintColor :: TerminalClass self => self -> Color -- ^ @color@ - a color which the terminal background should be tinted to if its saturation is not 1.0. -> IO () terminalSetBackgroundTintColor terminal color = with color $ \cPtr -> {#call terminal_set_background_tint_color#} (toTerminal terminal) (castPtr cPtr) -- | Controls whether or not the terminal will scroll the background image (if one is set) when the text in the window must be scrolled. -- -- * Available since Vte version 0.11 -- terminalSetScrollBackground :: TerminalClass self => self -> Bool -- ^ @scroll@ - @True@ if the terminal should scroll the background image along with text. -> IO () terminalSetScrollBackground terminal scroll = {#call terminal_set_scroll_background#} (toTerminal terminal) (fromBool scroll) -- | Sets the shape of the cursor drawn. -- -- * Available since Vte version 0.19.1 -- terminalSetCursorShape :: TerminalClass self => self -> TerminalCursorShape -- ^ @shape@ - the 'TerminalCursorShape' to use -> IO () terminalSetCursorShape terminal shape = {#call terminal_set_cursor_shape#} (toTerminal terminal) $fromIntegral (fromEnum shape) -- | Returns the currently set cursor shape. -- -- * Available since Vte version 0.17.6 -- terminalGetCursorShape :: TerminalClass self => self -> IO TerminalCursorShape -- ^ return cursor shape terminalGetCursorShape terminal = liftM (toEnum.fromIntegral) $ {#call terminal_get_cursor_shape#} (toTerminal terminal) -- | Returns the currently set cursor blink mode. -- -- * Available since Vte version 0.17.1 -- terminalGetCursorBlinkMode :: TerminalClass self => self -> IO TerminalCursorBlinkMode -- ^ return cursor blink mode. terminalGetCursorBlinkMode terminal = liftM (toEnum.fromIntegral) $ {#call terminal_get_cursor_blink_mode#} (toTerminal terminal) -- | Sets whether or not the cursor will blink. -- -- * Available since Vte version 0.17.1 -- terminalSetCursorBlinkMode :: TerminalClass self => self -> TerminalCursorBlinkMode -- ^ @mode@ - the 'TerminalCursorBlinkMode' to use -> IO () terminalSetCursorBlinkMode terminal mode = {#call terminal_set_cursor_blink_mode#} (toTerminal terminal) $fromIntegral (fromEnum mode) -- | Sets the length of the scrollback buffer used by the terminal. -- The size of the scrollback buffer will be set to the larger of this value and the number of visible rows the widget can display, -- so 0 can safely be used to disable scrollback. -- Note that this setting only affects the normal screen buffer. -- For terminal types which have an alternate screen buffer, no scrollback is allowed on the alternate screen buffer. terminalSetScrollbackLines :: TerminalClass self => self -> Int -- ^ @lines@ - the length of the history buffer -> IO () terminalSetScrollbackLines terminal lines = {#call terminal_set_scrollback_lines#} (toTerminal terminal) (fromIntegral lines) -- | Sets the font used for rendering all text displayed by the terminal, overriding any fonts set using 'widgetModifyFont'. -- The terminal will immediately attempt to load the desired font, retrieve its metrics, and attempt to resize itself to keep the same number of rows and columns. terminalSetFont :: TerminalClass self => self -> FontDescription -- ^ @fontDesc@ - the 'FontDescription' of the desired font. -> IO () terminalSetFont terminal (FontDescription fontDesc) = {#call terminal_set_font#} (toTerminal terminal) (castPtr $ unsafeForeignPtrToPtr fontDesc) -- | A convenience function which converts name into a 'FontDescription' and passes it to 'terminalSetFont'. terminalSetFontFromString :: TerminalClass self => self -> String -- ^ @name@ - a string describing the font. -> IO () terminalSetFontFromString terminal name = withUTFString name $ \namePtr -> {#call terminal_set_font_from_string#} (toTerminal terminal) namePtr -- | Queries the terminal for information about the fonts which will be used to draw text in the terminal. terminalGetFont :: TerminalClass self => self -> IO FontDescription -- ^ return a 'FontDescription' describing the font the terminal is currently using to render text. terminalGetFont terminal = do fdPtr <- {#call unsafe terminal_get_font#} (toTerminal terminal) makeNewFontDescription (castPtr fdPtr) -- | Checks if the terminal currently contains selected text. -- Note that this is different from determining if the terminal is the owner of any 'GtkClipboard' items. terminalGetHasSelection :: TerminalClass self => self -> IO Bool -- ^ return @True@ if part of the text in the terminal is selected. terminalGetHasSelection terminal = liftM toBool $ {#call terminal_get_has_selection#} (toTerminal terminal) -- | When the user double-clicks to start selection, the terminal will extend the selection on word boundaries. -- It will treat characters included in spec as parts of words, and all other characters as word separators. -- Ranges of characters can be specified by separating them with a hyphen. -- As a special case, if @spec@ is the empty string, the terminal will treat all graphic non-punctuation non-space characters as word characters. terminalSetWordChars :: TerminalClass self => self -> String -- ^ @spec@ - a specification -> IO () terminalSetWordChars terminal spec = withUTFString spec $ \specPtr -> {#call terminal_set_word_chars#} (toTerminal terminal) specPtr -- | Checks if a particular character is considered to be part of a word or not, based on the values last passed to 'terminalSetWordChars'. terminalIsWordChar :: TerminalClass self => self -> Char -- ^ @c@ - a candidate Unicode code point -> IO Bool -- ^ return @True@ if the character is considered to be part of a word terminalIsWordChar terminal c = liftM toBool $ {#call terminal_is_word_char#} (toTerminal terminal) (fromIntegral $ ord c) -- | Modifies the terminal's backspace key binding, -- which controls what string or control sequence the terminal sends to its child when the user presses the backspace key. terminalSetBackspaceBinding :: TerminalClass self => self -> TerminalEraseBinding -- ^ @binding@ - a 'TerminalEraseBinding' for the backspace key -> IO () terminalSetBackspaceBinding terminal binding = {#call terminal_set_backspace_binding#} (toTerminal terminal) (fromIntegral (fromEnum binding)) -- | Modifies the terminal's delete key binding, -- which controls what string or control sequence the terminal sends to its child when the user presses the delete key. terminalSetDeleteBinding :: TerminalClass self => self -> TerminalEraseBinding -- ^ @bindign@ - a 'TerminalEraseBinding' for the delete key -> IO () terminalSetDeleteBinding terminal binding = {#call terminal_set_delete_binding#} (toTerminal terminal) (fromIntegral (fromEnum binding)) -- | Changes the value of the terminal's mouse autohide setting. -- When autohiding is enabled, the mouse cursor will be hidden when the user presses a key and shown when the user moves the mouse. -- This setting can be read using 'terminalGetMouseAutohide'. terminalSetMouseAutohide :: TerminalClass self => self -> Bool -- ^ @autohide@ - @True@ if the autohide should be enabled -> IO () terminalSetMouseAutohide terminal autohide = {#call terminal_set_mouse_autohide#} (toTerminal terminal) (fromBool autohide) -- | Determines the value of the terminal's mouse autohide setting. -- When autohiding is enabled, the mouse cursor will be hidden when the user presses a key and shown when the user moves the mouse. -- This setting can be changed using 'terminalSetMouseAutohide'. terminalGetMouseAutohide :: TerminalClass self => self -> IO Bool terminalGetMouseAutohide terminal = liftM toBool $ {#call terminal_get_mouse_autohide#} (toTerminal terminal) -- | Resets as much of the terminal's internal state as possible, discarding any unprocessed input data, -- resetting character attributes, cursor state, national character set state, status line, -- terminal modes (insert/delete), selection state, and encoding. terminalReset :: TerminalClass self => self -> Bool -- ^ @full@ - @True@ to reset tabstops -> Bool -- ^ @clearHistory@ - @True@ to empty the terminal's scrollback buffer -> IO () terminalReset terminal full clearHistory = {#call terminal_reset#} (toTerminal terminal) (fromBool full) (fromBool clearHistory) -- | Extracts a view of the visible part of the terminal. A selection -- predicate may be supplied to restrict the inspected characters. The -- return value is a list of 'VteChar' structures, each detailing the -- character's position, colors, and other characteristics. -- terminalGetText :: TerminalClass self => self -> Maybe VteSelect -- ^ @Just p@ for a predicate @p@ that determines -- which character should be extracted or @Nothing@ -- to select all characters -> IO [VteChar] -- ^ return a text string terminalGetText terminal mCB = do cbPtr <- case mCB of Just cb -> mkVteSelectionFunc $ \_ c r _ -> return (fromBool (cb (fromIntegral c) (fromIntegral r))) Nothing -> return nullFunPtr gArrPtr <- {#call unsafe g_array_new#} 0 0 (fromIntegral (sizeOf (undefined :: VteAttributes))) strPtr <- {#call terminal_get_text #} (toTerminal terminal) cbPtr nullPtr gArrPtr str <- if strPtr==nullPtr then return "" else peekUTFString strPtr (len,elemPtr) <- gArrayContent (castPtr gArrPtr) attrs <- (flip mapM) [0..len-1] $ peekElemOff elemPtr unless (cbPtr==nullFunPtr) $ freeHaskellFunPtr cbPtr {#call unsafe g_free#} (castPtr strPtr) {#call unsafe g_array_free#} gArrPtr 1 return (zipWith attrToChar str attrs) -- | Extracts a view of the visible part of the terminal. -- If is_selected is not @Nothing@, characters will only be read if is_selected returns @True@ after being passed the column and row, respectively. -- A 'CharAttributes' structure is added to attributes for each byte added to the returned string detailing the character's position, colors, and other characteristics. -- This function differs from 'terminalGetText' in that trailing spaces at the end of lines are included. -- -- * Available since Vte version 0.11.11 -- terminalGetTextIncludeTrailingSpaces :: TerminalClass self => self -> Maybe VteSelect -- ^ @Just p@ for a predicate @p@ that determines -- which character should be extracted or @Nothing@ -- to select all characters -> IO [VteChar] -- ^ return a text string terminalGetTextIncludeTrailingSpaces terminal mCB = do cbPtr <- case mCB of Just cb -> mkVteSelectionFunc $ \_ c r _ -> return (fromBool (cb (fromIntegral c) (fromIntegral r))) Nothing -> return nullFunPtr gArrPtr <- {#call unsafe g_array_new#} 0 0 (fromIntegral (sizeOf (undefined :: VteAttributes))) strPtr <- {#call terminal_get_text_include_trailing_spaces #} (toTerminal terminal) cbPtr nullPtr gArrPtr str <- if strPtr==nullPtr then return "" else peekUTFString strPtr (len,elemPtr) <- gArrayContent (castPtr gArrPtr) attrs <- (flip mapM) [0..len-1] $ peekElemOff elemPtr unless (cbPtr==nullFunPtr) $ freeHaskellFunPtr cbPtr {#call unsafe g_free#} (castPtr strPtr) {#call unsafe g_array_free#} gArrPtr 1 return (zipWith attrToChar str attrs) -- | Extracts a view of the visible part of the terminal. -- If is_selected is not @Nothing@, characters will only be read if is_selected returns @True@ after being passed the column and row, respectively. -- A 'CharAttributes' structure is added to attributes for each byte added to the returned string detailing the character's position, colors, and other characteristics. -- The entire scrollback buffer is scanned, so it is possible to read the entire contents of the buffer using this function. -- terminalGetTextRange :: TerminalClass self => self -> Int -- ^ @sRow@ first row to search for data -> Int -- ^ @sCol@ first column to search for data -> Int -- ^ @eRow@ last row to search for data -> Int -- ^ @eCol@ last column to search for data -> Maybe VteSelect -- ^ @Just p@ for a predicate @p@ that determines -- which character should be extracted or @Nothing@ -- to select all characters -> IO [VteChar] -- ^ return a text string terminalGetTextRange terminal sRow sCol eRow eCol mCB = do cbPtr <- case mCB of Just cb -> mkVteSelectionFunc $ \_ c r _ -> return (fromBool (cb (fromIntegral c) (fromIntegral r))) Nothing -> return nullFunPtr gArrPtr <- {#call unsafe g_array_new#} 0 0 (fromIntegral (sizeOf (undefined :: VteAttributes))) strPtr <- {#call terminal_get_text_range #} (toTerminal terminal) (fromIntegral sRow) (fromIntegral sCol) (fromIntegral eRow) (fromIntegral eCol) cbPtr nullPtr gArrPtr str <- if strPtr==nullPtr then return "" else peekUTFString strPtr (len,elemPtr) <- gArrayContent (castPtr gArrPtr) attrs <- (flip mapM) [0..len-1] $ peekElemOff elemPtr unless (cbPtr==nullFunPtr) $ freeHaskellFunPtr cbPtr {#call unsafe g_free#} (castPtr strPtr) {#call unsafe g_array_free#} gArrPtr 1 return (zipWith attrToChar str attrs) -- | Reads the location of the insertion cursor and returns it. The row -- coordinate is absolute. terminalGetCursorPosition :: TerminalClass self => self -> IO (Int, Int) -- ^ @(column,row)@ the position of the cursor terminalGetCursorPosition terminal = do alloca $ \cPtr -> alloca $ \rPtr -> do {#call terminal_get_cursor_position#} (toTerminal terminal) cPtr rPtr column <- peek cPtr row <- peek rPtr return (fromIntegral column,fromIntegral row) -- | Clears the list of regular expressions the terminal uses to highlight -- text when the user moves the mouse cursor. terminalMatchClearAll :: TerminalClass self => self -> IO () terminalMatchClearAll terminal = {#call terminal_match_clear_all#} (toTerminal terminal) -- | Adds the regular expression to the list of matching expressions. -- When the user moves the mouse cursor over a section of displayed text which -- matches this expression, the text will be highlighted. -- -- See for -- details about the accepted syntex. -- -- * Available since Vte version 0.17.1 -- terminalMatchAddRegex :: TerminalClass self => self -> String -- ^ @pattern@ - a regular expression -> [RegexCompileFlags] -- ^ @flags@ - specify how to interpret the pattern -> [RegexMatchFlags] -- ^ @flags@ - specify how to match -> IO Int -- ^ return an integer associated with this expression terminalMatchAddRegex terminal pattern cFlags mFlags = withUTFString pattern $ \pat -> do regexPtr <- propagateGError $ {#call g_regex_new#} pat (fromIntegral (fromFlags cFlags)) (fromIntegral (fromFlags mFlags)) liftM fromIntegral $ {#call terminal_match_add_gregex#} (toTerminal terminal) regexPtr (fromIntegral (fromFlags mFlags)) -- | Removes the regular expression which is associated with the given tag from the list of expressions which the terminal will highlight when the user moves the mouse cursor over matching text. terminalMatchRemove :: TerminalClass self => self -> Int -- ^ @tag@ - the tag of the regex to remove -> IO () terminalMatchRemove terminal tag = {#call terminal_match_remove#} (toTerminal terminal) (fromIntegral tag) -- | Checks if the text in and around the specified position matches any of -- the regular expressions previously registered using -- 'terminalMatchAddRegex'. If a match exists, the matching string is returned -- together with the number associated with the matched regular expression. If -- more than one regular expression matches, the expressions that was -- registered first will be returned. -- terminalMatchCheck :: TerminalClass self => self -> Int -- ^ @column@ - the text column -> Int -- ^ @row@ - the text row -> IO (Maybe (String, Int)) -- ^ @Just (str, tag)@ - the string that matched one of the previously set -- regular expressions together with the number @tag@ that was returned by -- 'terminalMatchAddRegex' terminalMatchCheck terminal column row = alloca $ \tagPtr -> do strPtr <- {#call terminal_match_check#} (toTerminal terminal) (fromIntegral column) (fromIntegral row) tagPtr if strPtr==nullPtr then return Nothing else do str <- peekCString strPtr {#call unsafe g_free#} (castPtr strPtr) if tagPtr==nullPtr then return Nothing else do tag <- peek tagPtr return (Just (str,fromIntegral tag)) -- | Sets which cursor the terminal will use if the pointer is over the pattern specified by tag. -- The terminal keeps a reference to cursor. -- -- * Available since Vte version 0.11 -- terminalMatchSetCursor :: TerminalClass self => self -> Int -- ^ @tag@ - the tag of the regex which should use the specified cursor -> Cursor -- ^ @cursor@ - the 'Cursor' which the terminal should use when the pattern is highlighted -> IO () terminalMatchSetCursor terminal tag (Cursor cur) = with (unsafeForeignPtrToPtr cur) $ \curPtr -> {#call terminal_match_set_cursor#} (toTerminal terminal) (fromIntegral tag) (castPtr curPtr) -- | Sets which cursor the terminal will use if the pointer is over the pattern specified by tag. -- -- * Available since Vte version 0.11.9 -- terminalMatchSetCursorType :: TerminalClass self => self -> Int -- ^ @tag@ the tag of the regex which should use the specified cursor -> CursorType -- ^ @cursorType@ a 'CursorType' -> IO () terminalMatchSetCursorType terminal tag cursorType = {#call terminal_match_set_cursor_type#} (toTerminal terminal) (fromIntegral tag) $fromIntegral (fromEnum cursorType) -- | Sets which cursor the terminal will use if the pointer is over the pattern specified by tag. -- -- * Available since Vte version 0.17.1 -- terminalMatchSetCursorName :: TerminalClass self => self -> Int -- ^ @tag@ - the tag of the regex which should use the specified cursor -> String -- ^ @name@ - the name of the cursor -> IO () terminalMatchSetCursorName terminal tag name = withUTFString name $ \namePtr -> {#call terminal_match_set_cursor_name#} (toTerminal terminal) (fromIntegral tag) namePtr -- | Sets what type of terminal the widget attempts to emulate by scanning for control sequences defined in the system's termcap file. -- Unless you are interested in this feature, always use "xterm". terminalSetEmulation :: TerminalClass self => self -> String -- ^ @emulation@ - the name of a terminal description -> IO () terminalSetEmulation terminal emulation = withUTFString emulation $ \emulationPtr -> {#call terminal_set_emulation#} (toTerminal terminal) emulationPtr -- | Queries the terminal for its current emulation, as last set by a call to 'terminalSetEmulation'. terminalGetEmulation :: TerminalClass self => self -> IO String -- ^ return the name of the terminal type the widget is attempting to emulate terminalGetEmulation terminal = {#call terminal_get_emulation#} (toTerminal terminal) >>= peekCString -- | Queries the terminal for its default emulation, which is attempted if the terminal type passed to 'terminalSetEmulation' emptry string. -- -- * Available since Vte version 0.11.11 -- terminalGetDefaultEmulation :: TerminalClass self => self -> IO String -- ^ return the name of the default terminal type the widget attempts to emulate terminalGetDefaultEmulation terminal = {#call terminal_get_default_emulation#} (toTerminal terminal) >>= peekCString -- | Changes the encoding the terminal will expect data from the child to be encoded with. -- For certain terminal types, applications executing in the terminal can change the encoding. -- The default encoding is defined by the application's locale settings. terminalSetEncoding :: TerminalClass self => self -> String -- ^ @codeset@ - a valid g_iconv target -> IO () terminalSetEncoding terminal codeset = withUTFString codeset $ \codesetPtr -> {#call terminal_set_encoding#} (toTerminal terminal) codesetPtr -- | Determines the name of the encoding in which the terminal expects data to be encoded. terminalGetEncoding :: TerminalClass self => self -> IO String -- ^ return the current encoding for the terminal. terminalGetEncoding terminal = {#call terminal_get_encoding#} (toTerminal terminal) >>= peekCString -- | Some terminal emulations specify a status line which is separate from the main display area, -- and define a means for applications to move the cursor to the status line and back. terminalGetStatusLine :: TerminalClass self => self -> IO String -- ^ The current content of the terminal's status line. For terminals like "xterm", this will usually be the empty string. terminalGetStatusLine terminal = {#call terminal_get_status_line#} (toTerminal terminal) >>= peekCString -- | Determines the amount of additional space the widget is using to pad the edges of its visible area. -- This is necessary for cases where characters in the selected font don't themselves include a padding area and the text itself would otherwise be contiguous with the window border. -- Applications which use the widget's row_count, column_count, char_height, and char_width fields to set geometry hints using 'windowSetGeometryHints' will need to add this value to the base size. -- The values returned in xpad and ypad are the total padding used in each direction, and do not need to be doubled. terminalGetPadding :: TerminalClass self => self -> IO (Int, Int) -- ^ @(lr,tb)@ - the left\/right-edge and top\/bottom-edge padding terminalGetPadding terminal = alloca $ \xPtr -> alloca $ \yPtr -> do {#call terminal_get_padding#} (toTerminal terminal) xPtr yPtr xpad <- peek xPtr ypad <- peek yPtr return (fromIntegral xpad,fromIntegral ypad) -- | Get 'Adjustment' of terminal widget. terminalGetAdjustment :: TerminalClass self => self -> IO Adjustment -- ^ return the contents of terminal's adjustment field terminalGetAdjustment terminal = makeNewObject mkAdjustment $ {#call terminal_get_adjustment#} (toTerminal terminal) -- | Get terminal's char height. terminalGetCharHeight :: TerminalClass self => self -> IO Int -- ^ return the contents of terminal's char_height field terminalGetCharHeight terminal = liftM fromIntegral $ {#call terminal_get_char_height#} (toTerminal terminal) -- | Get terminal's char width. terminalGetCharWidth :: TerminalClass self => self -> IO Int -- ^ return the contents of terminal's char_width field terminalGetCharWidth terminal = liftM fromIntegral $ {#call terminal_get_char_width#} (toTerminal terminal) -- | Get terminal's column count. terminalGetColumnCount :: TerminalClass self => self -> IO Int -- ^ return the contents of terminal's column_count field terminalGetColumnCount terminal = liftM fromIntegral $ {#call terminal_get_column_count#} (toTerminal terminal) -- | Get terminal's row count. terminalGetRowCount :: TerminalClass self => self -> IO Int -- ^ return the contents of terminal's row_count field terminalGetRowCount terminal = liftM fromIntegral $ {#call terminal_get_row_count#} (toTerminal terminal) -- | Get icon title. terminalGetIconTitle :: TerminalClass self => self -> IO String -- ^ return the contents of terminal's icon_title field terminalGetIconTitle terminal = {#call terminal_get_icon_title#} (toTerminal terminal) >>= peekCString -- | Get window title. terminalGetWindowTitle :: TerminalClass self => self -> IO String -- ^ return the contents of terminal's window_title field terminalGetWindowTitle terminal = {#call terminal_get_window_title#} (toTerminal terminal) >>= peekCString -------------------- -- Attributes -- | Controls whether or not the terminal will attempt to draw bold text. -- This may happen either by using a bold font variant, or by repainting text with a different offset. -- -- Default value: @True@ -- -- * Available since Vte version 0.19.1 -- terminalAllowBold :: TerminalClass self => Attr self Bool terminalAllowBold = newAttr terminalGetAllowBold terminalSetAllowBold -- | Controls whether or not the terminal will beep when the child outputs the \"bl\" sequence. -- -- Default value: @True@ -- -- -- * Available since Vte version 0.19.1 -- terminalAudibleBell :: TerminalClass self => Attr self Bool terminalAudibleBell = newAttr terminalGetAudibleBell terminalSetAudibleBell -- | Sets a background image file for the widget. -- If specified by "background-saturation:", the terminal will tint its in-memory copy of the image before applying it to the terminal. -- -- Default value: \"\" -- -- * Available since Vte version 0.19.1 -- terminalBackgroundImageFile :: TerminalClass self => Attr self String terminalBackgroundImageFile = newAttrFromStringProperty "background-image-file" -- | Sets a background image for the widget. -- Text which would otherwise be drawn using the default background color will instead be drawn over the specified image. -- If necessary, the image will be tiled to cover the widget's entire visible area. -- If specified by "background-saturation:", the terminal will tint its in-memory copy of the image before applying it to the terminal. -- -- * Available since Vte version 0.19.1 -- terminalBackgroundImagePixbuf :: TerminalClass self => Attr self (Maybe Pixbuf) terminalBackgroundImagePixbuf = newAttrFromMaybeObjectProperty "background-image-pixbuf" {#call pure gdk_pixbuf_get_type#} -- | Sets the opacity of the terminal background, were 0.0 means completely transparent and 1.0 means completely opaque. -- -- Allowed values: [0,1] -- -- Default values: 1 -- -- * Available since Vte version 0.19.1 -- terminalBackgroundOpacity :: TerminalClass self => Attr self Double terminalBackgroundOpacity = newAttrFromDoubleProperty "background-opacity" -- | If a background image has been set using "background-image-file:" or "background-image-pixbuf:", or "background-transparent:", -- and the saturation value is less than 1.0, the terminal will adjust the colors of the image before drawing the image. -- To do so, the terminal will create a copy of the background image (or snapshot of the root window) and modify its pixel values. -- -- Allowed values: [0,1] -- -- Default value: 0.4 -- -- * Available since Vte version 0.19.1 -- terminalBackgroundSaturation :: TerminalClass self => Attr self Double terminalBackgroundSaturation = newAttrFromDoubleProperty "background-saturation" -- | If a background image has been set using "background-image-file:" or "background-image-pixbuf:", or "background-transparent:", -- and the value set by 'Terminal' background-saturation: is less than 1.0, the terminal will adjust the color of the image before drawing the image. -- To do so, the terminal will create a copy of the background image (or snapshot of the root window) and modify its pixel values. -- The initial tint color is black. -- -- * Available since Vte version 0.19.1 -- terminalBackgroundTintColor :: TerminalClass self => Attr self Color terminalBackgroundTintColor = newAttrFromBoxedStorableProperty "background-tint-color" {#call pure unsafe gdk_color_get_type#} -- | Sets whther the terminal uses the pixmap stored in the root window as the background, -- adjusted so that if there are no windows below your application, the widget will appear to be transparent. -- -- NOTE: When using a compositing window manager, you should instead set a RGBA colourmap on the toplevel window, so you get real transparency. -- -- Default value: @False@ -- -- * Available since Vte version 0.19.1 -- terminalBackgroundTransparent :: TerminalClass self => Attr self Bool terminalBackgroundTransparent = newAttrFromBoolProperty "background-transparent" -- | *Controls what string or control sequence the terminal sends to its child when the user presses the backspace key. -- -- Default value: 'EraseAuto' -- -- * Available since Vte version 0.19.1 -- terminalBackspaceBinding :: TerminalClass self => Attr self TerminalEraseBinding terminalBackspaceBinding = newAttrFromEnumProperty "backspace-binding" {#call pure unsafe terminal_erase_binding_get_type#} -- | Sets whether or not the cursor will blink. -- Using 'CursorBlinkSystem' will use the "gtk-cursor-blink" setting. -- -- Default value: 'CursorBlinkSystem' -- -- * Available since Vte version 0.19.1 -- terminalCursorBlinkMode :: TerminalClass self => Attr self TerminalCursorBlinkMode terminalCursorBlinkMode = newAttr terminalGetCursorBlinkMode terminalSetCursorBlinkMode -- | Controls the shape of the cursor. -- -- Default value: 'CursorShapeBlock' -- -- * Available since Vte version 0.19.1 -- terminalCursorShape :: TerminalClass self => Attr self TerminalCursorShape terminalCursorShape = newAttr terminalGetCursorShape terminalSetCursorShape -- | Controls what string or control sequence the terminal sends to its child when the user presses the delete key. -- -- Default value: 'EraseAuto' -- -- * Available since Vte version 0.19.1 -- terminalDeleteBinding :: TerminalClass self => Attr self TerminalEraseBinding terminalDeleteBinding = newAttrFromEnumProperty "delete-binding" {#call pure unsafe terminal_erase_binding_get_type#} -- | Sets what type of terminal the widget attempts to emulate by scanning for control sequences defined in the system's termcap file. -- Unless you are interested in this feature, always use the default which is "xterm". -- -- Default value: "xterm" -- -- * Available since Vte version 0.19.1 -- terminalEmulation :: TerminalClass self => Attr self String terminalEmulation = newAttr terminalGetEmulation terminalSetEmulation -- | Controls the encoding the terminal will expect data from the child to be encoded with. -- For certain terminal types, applications executing in the terminal can change the encoding. -- The default is defined by the application's locale settings. -- -- Default value: \"\" -- -- * Available since Vte version 0.19.1 -- terminalEncoding :: TerminalClass self => Attr self String terminalEncoding = newAttr terminalGetEncoding terminalSetEncoding -- | Specifies the font used for rendering all text displayed by the terminal, overriding any fonts set using 'widgetModifyFont'. -- The terminal will immediately attempt to load the desired font, retrieve its metrics, -- and attempt to resize itself to keep the same number of rows and columns. -- -- * Available since Vte version 0.19.1 -- terminalFontDesc :: TerminalClass self => Attr self FontDescription terminalFontDesc = newAttr terminalGetFont terminalSetFont -- | The terminal's so-called icon title, or empty if no icon title has been set. -- -- Default value: \"\" -- -- * Available since Vte version 0.19.1 -- terminalIconTitle :: TerminalClass self => ReadAttr self String terminalIconTitle = readAttrFromStringProperty "icon-title" -- | Controls the value of the terminal's mouse autohide setting. -- When autohiding is enabled, the mouse cursor will be hidden when the user presses a key and shown when the user moves the mouse. -- -- Default value: @False@ -- -- * Available since Vte version 0.19.1 -- terminalPointerAutohide :: TerminalClass self => Attr self Bool terminalPointerAutohide = newAttr terminalGetMouseAutohide terminalSetMouseAutohide -- | The file descriptor of the master end of the terminal's PTY. -- -- Allowed values: [-1 ...] -- -- Default values: -1 -- -- * Available since Vte version 0.19.1 -- terminalPty :: TerminalClass self => Attr self Int terminalPty = newAttr terminalGetPty terminalSetPty -- | Controls the value of the terminal's mouse autohide setting. -- When autohiding is enabled, the mouse cursor will be hidden when the user presses a key and shown when the user moves the mouse. -- -- Default value: @False@ -- -- * Available since Vte version 0.19.1 -- terminalScrollBackground :: TerminalClass self => Attr self Bool terminalScrollBackground = newAttrFromBoolProperty "scroll-background" -- | Controls whether or not the terminal will forcibly scroll to the bottom of the viewable history when the user presses a key. -- Modifier keys do not trigger this behavior. -- -- Default value: @False@ -- -- * Available since Vte version 0.19.1 -- terminalScrollOnKeystroke :: TerminalClass self => Attr self Bool terminalScrollOnKeystroke = newAttrFromBoolProperty "scroll-on-keystroke" -- | Controls whether or not the terminal will forcibly scroll to the bottom of the viewable history when the new data is received from the child. -- -- Default value: @True@ -- -- * Available since Vte version 0.19.1 -- terminalScrollOnOutput :: TerminalClass self => Attr self Bool terminalScrollOnOutput = newAttrFromBoolProperty "scroll-on-output" -- | The length of the scrollback buffer used by the terminal. The size of the -- scrollback buffer will be set to the larger of this value and the number of -- visible rows the widget can display, so 0 can safely be used to disable -- scrollback. Note that this setting only affects the normal screen buffer. -- For terminal types which have an alternate screen buffer, no scrollback is -- allowed on the alternate screen buffer. -- -- Default value: 100 -- -- * Available since Vte version 0.19.1 -- terminalScrollbackLines :: TerminalClass self => Attr self Int terminalScrollbackLines = newAttrFromUIntProperty "scrollback-lines" -- | Controls whether the terminal will present a visible bell to the user when the child outputs the \"bl\" sequence. -- The terminal will clear itself to the default foreground color and then repaint itself. -- -- Default value: @False@ -- -- * Available since Vte version 0.19.1 -- terminalVisibleBell :: TerminalClass self => Attr self Bool terminalVisibleBell = newAttr terminalGetVisibleBell terminalSetVisibleBell -- | The terminal's title. -- -- Default value: \"\" -- -- * Available since Vte version 0.19.1 -- terminalWindowTitle :: TerminalClass self => ReadAttr self String terminalWindowTitle = readAttrFromStringProperty "window-title" -- | When the user double-clicks to start selection, the terminal will extend the selection on word boundaries. -- It will treat characters the word-chars characters as parts of words, and all other characters as word separators. -- Ranges of characters can be specified by separating them with a hyphen. -- As a special case, when setting this to the empty string, the terminal will treat all graphic non-punctuation non-space characters as word -- characters. -- -- Defalut value: \"\" -- -- * Available since Vte version 0.19.1 -- terminalWordChars :: TerminalClass self => Attr self String terminalWordChars = newAttrFromStringProperty "word-chars" -------------------- -- Signals -- | This signal is emitted when the a child sends a beep request to the terminal. beep :: TerminalClass self => Signal self (IO ()) beep = Signal (connect_NONE__NONE "beep") -- | Emitted whenever selection of a new font causes the values of the char_width or char_height fields to change. charSizeChanged :: TerminalClass self => Signal self (Int -> Int -> IO ()) charSizeChanged = Signal (connect_INT_INT__NONE "char-size-changed") -- | This signal is emitted when the terminal detects that a child started using 'terminalForkCommand' has exited. childExited :: TerminalClass self => Signal self (IO ()) childExited = Signal (connect_NONE__NONE "child-exited") -- | Emitted whenever the terminal receives input from the user and prepares to send it to the child process. -- The signal is emitted even when there is no child process. commit :: TerminalClass self => Signal self (String -> Int -> IO ()) commit = Signal (connect_STRING_INT__NONE "commit") -- | Emitted whenever the visible appearance of the terminal has changed. Used primarily by 'TerminalAccessible'. contentsChanged :: TerminalClass self => Signal self (IO ()) contentsChanged = Signal (connect_NONE__NONE "contents-changed") -- | Emitted whenever 'terminalCopyClipboard' is called. copyClipboard :: TerminalClass self => Signal self (IO ()) copyClipboard = Signal (connect_NONE__NONE "copy-clipboard") -- | Emitted whenever the cursor moves to a new character cell. Used primarily by 'TerminalAccessible'. cursorMoved :: TerminalClass self => Signal self (IO ()) cursorMoved = Signal (connect_NONE__NONE "cursor-moved") -- | Emitted when the user hits the '-' key while holding the Control key. decreaseFontSize :: TerminalClass self => Signal self (IO ()) decreaseFontSize = Signal (connect_NONE__NONE "decrease-font-size") -- | Emitted at the child application's request. deiconifyWindow :: TerminalClass self => Signal self (IO ()) deiconifyWindow = Signal (connect_NONE__NONE "deiconify-window") -- | Emitted whenever the terminal's emulation changes, only possible at the parent application's request. emulationChanged :: TerminalClass self => Signal self (IO ()) emulationChanged = Signal (connect_NONE__NONE "emulation-changed") -- | Emitted whenever the terminal's current encoding has changed, -- either as a result of receiving a control sequence which toggled between the local and UTF-8 encodings, or at the parent application's request. encodingChanged :: TerminalClass self => Signal self (IO ()) encodingChanged = Signal (connect_NONE__NONE "encoding-changed") -- | Emitted when the terminal receives an end-of-file from a child which is running in the terminal. -- This signal is frequently (but not always) emitted with a 'childExited' signal. eof :: TerminalClass self => Signal self (IO ()) eof = Signal (connect_NONE__NONE "eof") -- | Emitted when the terminal's icon_title field is modified. iconTitleChanged :: TerminalClass self => Signal self (IO ()) iconTitleChanged = Signal (connect_NONE__NONE "icon-title-changed") -- | Emitted at the child application's request. iconifyWindow :: TerminalClass self => Signal self (IO ()) iconifyWindow = Signal (connect_NONE__NONE "iconify-window") -- | Emitted when the user hits the '+' key while holding the Control key. increaseFontSize :: TerminalClass self => Signal self (IO ()) increaseFontSize = Signal (connect_NONE__NONE "increase-font-size") -- | Emitted at the child application's request. lowerWindow :: TerminalClass self => Signal self (IO ()) lowerWindow = Signal (connect_NONE__NONE "lower-window") -- | Emitted at the child application's request. maximizeWindow :: TerminalClass self => Signal self (IO ()) maximizeWindow = Signal (connect_NONE__NONE "maximize-window") -- | Emitted when user move terminal window. moveWindow :: TerminalClass self => Signal self (Word -> Word -> IO ()) moveWindow = Signal (connect_WORD_WORD__NONE "move-window") -- | Emitted whenever 'terminalPasteClipboard' is called. pasteClipboard :: TerminalClass self => Signal self (IO ()) pasteClipboard = Signal (connect_NONE__NONE "paste-clipboard") -- | Emitted at the child application's request. raiseWindow :: TerminalClass self => Signal self (IO ()) raiseWindow = Signal (connect_NONE__NONE "raise-window") -- | Emitted at the child application's request. refreshWindow :: TerminalClass self => Signal self (IO ()) refreshWindow = Signal (connect_NONE__NONE "refresh-window") -- | Emitted at the child application's request. resizeWidnow :: TerminalClass self => Signal self (Int -> Int -> IO ()) resizeWidnow = Signal (connect_INT_INT__NONE "resize-window") -- | Emitted at the child application's request. restoreWindow :: TerminalClass self => Signal self (IO ()) restoreWindow = Signal (connect_NONE__NONE "restore-window") -- | Emitted at the child application's request. selectionChanged :: TerminalClass self => Signal self (IO ()) selectionChanged = Signal (connect_NONE__NONE "selection-changed") -- | Set the scroll adjustments for the terminal. -- Usually scrolled containers like 'ScrolledWindow' will emit this -- signal to connect two instances of 'Scrollbar' to the scroll directions of the 'Terminal'. setScrollAdjustments :: TerminalClass self => Signal self (Adjustment -> Adjustment -> IO ()) setScrollAdjustments = Signal (connect_OBJECT_OBJECT__NONE "set-scroll-adjustments") -- | Emitted whenever the contents of the status line are modified or cleared. statusLineChanged :: TerminalClass self => Signal self (IO ()) statusLineChanged = Signal (connect_NONE__NONE "status-line-changed") -- | An internal signal used for communication between the terminal and its accessibility peer. -- May not be emitted under certain circumstances. textDeleted :: TerminalClass self => Signal self (IO ()) textDeleted = Signal (connect_NONE__NONE "text-deleted") -- | An internal signal used for communication between the terminal and its accessibility peer. -- May not be emitted under certain circumstances. textInserted :: TerminalClass self => Signal self (IO ()) textInserted = Signal (connect_NONE__NONE "text-inserted") -- | An internal signal used for communication between the terminal and its accessibility peer. -- May not be emitted under certain circumstances. textModified :: TerminalClass self => Signal self (IO ()) textModified = Signal (connect_NONE__NONE "text-modified") -- | An internal signal used for communication between the terminal and its accessibility peer. -- May not be emitted under certain circumstances. textScrolled :: TerminalClass self => Signal self (Int -> IO ()) textScrolled = Signal (connect_INT__NONE "text-scrolled") -- | Emitted when the terminal's window_title field is modified. windowTitleChanged :: TerminalClass self => Signal self (IO ()) windowTitleChanged = Signal (connect_NONE__NONE "window-title-changed") vte-0.12.1/Graphics/UI/Gtk/Vte/VteCharAttrFields.c0000644000000000000000000000032611633370377017614 0ustar0000000000000000#include "VteCharAttrFields.h" gboolean getVteCharAttrUnderline(VteCharAttributes* vca) { return vca->underline; } gboolean getVteCharAttrStrikethrough(VteCharAttributes* vca) { return vca->strikethrough; } vte-0.12.1/Graphics/UI/Gtk/Vte/Structs.hsc0000644000000000000000000000553211633370377016304 0ustar0000000000000000{-# LANGUAGE CPP, ForeignFunctionInterface #-} -- -*-haskell-*- -- GIMP Toolkit (GTK) marshalling of structures for VTE -- -- Author : Axel Simon -- -- Created: 26 Sep 2009 -- -- Copyright (C) 2009 Andy Stewart -- -- This library is free software; you can redistribute it and/or -- modify it under the terms of the GNU Lesser General Public -- License as published by the Free Software Foundation; either -- version 2.1 of the License, or (at your option) any later version. -- -- This library is distributed in the hope that it will be useful, -- but WITHOUT ANY WARRANTY; without even the implied warranty of -- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -- Lesser General Public License for more details. -- -- -- | -- Maintainer : gtk2hs-users@lists.sourceforge.net -- Stability : provisional -- Portability : portable (depends on GHC) -- -- Structures for the VTE terminal widget -- ----------------------------------------------------------------------------- -- module Graphics.UI.Gtk.Vte.Structs ( -- * Types VteAttributes(..), -- * Functions gArrayContent ) where import Data.Char import Data.Word import System.Glib.FFI import Graphics.UI.Gtk.Abstract.Widget (Color) #include "VteCharAttrFields.h" data VteAttributes = VteAttributes { vaRow :: Int, vaCol :: Int, vaFore :: Color, vaBack :: Color, vaUnderline :: Bool, vaStrikethrough :: Bool } -- these fields are declard as bit fields which we cannot access portably from -- Haskell, thus, we define two C helper functions that read these fields foreign import ccall "getVteCharAttrUnderline" getVteCharAttrUnderline :: Ptr VteAttributes -> IO #{type gboolean} foreign import ccall "getVteCharAttrStrikethrough" getVteCharAttrStrikethrough :: Ptr VteAttributes -> IO #{type gboolean} instance Storable VteAttributes where sizeOf _ = #{const sizeof(VteCharAttributes)} alignment _ = alignment (undefined :: #{type long}) peek ptr = do row <- #{peek VteCharAttributes, row} ptr :: IO #{type long} col <- #{peek VteCharAttributes, column} ptr :: IO #{type long} fore <- #{peek VteCharAttributes, fore} ptr back <- #{peek VteCharAttributes, back} ptr under <- getVteCharAttrUnderline ptr strike <- getVteCharAttrStrikethrough ptr return VteAttributes { vaRow = fromIntegral row, vaCol = fromIntegral col, vaFore = fore, vaBack = back, vaUnderline = toBool (fromIntegral under), vaStrikethrough = toBool (fromIntegral strike) } poke ptr VteAttributes {} = error "Storable VteAttributes: not implemented" -- | Retrieve the two fields of the GArray structure. -- gArrayContent :: Ptr garray -> IO (Int, Ptr VteAttributes) gArrayContent gaPtr = do len <- #{peek GArray, len} gaPtr :: IO #{type guint} ptr <- #{peek GArray, data} gaPtr return (fromIntegral len, ptr) vte-0.12.1/Graphics/UI/Gtk/Vte/Signals.chs0000644000000000000000000001153611633370377016236 0ustar0000000000000000{-# OPTIONS_HADDOCK hide #-} -- -*-haskell-*- -- -------------------- automatically generated file - do not edit ------------ -- Callback installers for the GIMP Toolkit (GTK) Binding for Haskell -- -- Author : Axel Simon -- -- Created: 1 July 2000 -- -- Copyright (C) 2000-2005 Axel Simon -- -- This library is free software; you can redistribute it and/or -- modify it under the terms of the GNU Lesser General Public -- License as published by the Free Software Foundation; either -- version 2.1 of the License, or (at your option) any later version. -- -- This library is distributed in the hope that it will be useful, -- but WITHOUT ANY WARRANTY; without even the implied warranty of -- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -- Lesser General Public License for more details. -- -- #hide -- These functions are used to connect signals to widgets. They are auto- -- matically created through HookGenerator.hs which takes a list of possible -- function signatures that are included in the GTK sources (gtkmarshal.list). -- -- The object system in the second version of GTK is based on GObject from -- GLIB. This base class is rather primitive in that it only implements -- ref and unref methods (and others that are not interesting to us). If -- the marshall list mentions OBJECT it refers to an instance of this -- GObject which is automatically wrapped with a ref and unref call. -- Structures which are not derived from GObject have to be passed as -- BOXED which gives the signal connect function a possibility to do the -- conversion into a proper ForeignPtr type. In special cases the signal -- connect function use a PTR type which will then be mangled in the -- user function directly. The latter is needed if a signal delivers a -- pointer to a string and its length in a separate integer. -- module Graphics.UI.Gtk.Vte.Signals ( module System.Glib.Signals, connect_NONE__NONE, connect_INT__NONE, connect_INT_INT__NONE, connect_WORD_WORD__NONE, connect_OBJECT_OBJECT__NONE, connect_STRING_INT__NONE, ) where import Control.Monad (liftM) import System.Glib.FFI import System.Glib.UTFString (peekUTFString,maybePeekUTFString) import System.Glib.GError (failOnGError) {#import System.Glib.Signals#} {#import System.Glib.GObject#} import Graphics.UI.GtkInternals {#context lib="gtk" prefix="gtk" #} -- Here are the generators that turn a Haskell function into -- a C function pointer. The fist Argument is always the widget, -- the last one is the user g_pointer. Both are ignored. connect_NONE__NONE :: GObjectClass obj => SignalName -> ConnectAfter -> obj -> (IO ()) -> IO (ConnectId obj) connect_NONE__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> IO () action _ = failOnGError $ user connect_INT__NONE :: GObjectClass obj => SignalName -> ConnectAfter -> obj -> (Int -> IO ()) -> IO (ConnectId obj) connect_INT__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> Int -> IO () action _ int1 = failOnGError $ user int1 connect_INT_INT__NONE :: GObjectClass obj => SignalName -> ConnectAfter -> obj -> (Int -> Int -> IO ()) -> IO (ConnectId obj) connect_INT_INT__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> Int -> Int -> IO () action _ int1 int2 = failOnGError $ user int1 int2 connect_WORD_WORD__NONE :: GObjectClass obj => SignalName -> ConnectAfter -> obj -> (Word -> Word -> IO ()) -> IO (ConnectId obj) connect_WORD_WORD__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> Word -> Word -> IO () action _ int1 int2 = failOnGError $ user int1 int2 connect_OBJECT_OBJECT__NONE :: (GObjectClass a', GObjectClass b', GObjectClass obj) => SignalName -> ConnectAfter -> obj -> (a' -> b' -> IO ()) -> IO (ConnectId obj) connect_OBJECT_OBJECT__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> Ptr GObject -> Ptr GObject -> IO () action _ obj1 obj2 = failOnGError $ makeNewGObject (GObject, objectUnrefFromMainloop) (return obj2) >>= \obj2' -> makeNewGObject (GObject, objectUnrefFromMainloop) (return obj1) >>= \obj1' -> user (unsafeCastGObject obj1') (unsafeCastGObject obj2') connect_STRING_INT__NONE :: GObjectClass obj => SignalName -> ConnectAfter -> obj -> (String -> Int -> IO ()) -> IO (ConnectId obj) connect_STRING_INT__NONE signal after obj user = connectGeneric signal after obj action where action :: Ptr GObject -> CString -> Int -> IO () action _ str1 int2 = failOnGError $ peekUTFString str1 >>= \str1' -> user str1' int2 vte-0.12.1/Graphics/UI/Gtk/Vte/VteCharAttrFields.h0000644000000000000000000000036311633370377017622 0ustar0000000000000000#ifndef VTE_CHAR_ATTR_FIELDS_H #define VTE_CHAR_ATTR_FIELDS_H #include gboolean getVteCharAttrUnderline(VteCharAttributes* vca); gboolean getVteCharAttrStrikethrough(VteCharAttributes* vca); #endif /* VTE_CHAR_ATTR_FIELDS_H */ vte-0.12.1/demo/0000755000000000000000000000000011633370377011515 5ustar0000000000000000vte-0.12.1/demo/Vte.hs0000644000000000000000000000134111633370377012606 0ustar0000000000000000-- A simple program to demonstrate Vte Binding by Cjacker Huang module Main where import Graphics.UI.Gtk import Graphics.UI.Gtk.Vte.Vte import Graphics.Rendering.Pango.Font main = do initGUI window <- windowNew onDestroy window mainQuit widgetSetSizeRequest window 640 480 scrolled <- scrolledWindowNew Nothing Nothing scrolledWindowSetPolicy scrolled PolicyAutomatic PolicyAutomatic vte <- terminalNew terminalForkCommand vte Nothing Nothing Nothing Nothing False False False font <- fontDescriptionFromString "DejaVu Sans Mono 10" terminalSetFont vte font containerAdd scrolled vte containerAdd window scrolled on vte childExited $ mainQuit widgetShowAll window mainGUI vte-0.12.1/demo/Makefile0000644000000000000000000000026611633370377013161 0ustar0000000000000000 PROG = vte SOURCES = Vte.hs $(PROG) : $(SOURCES) $(HC) --make $< -o $@ $(HCFLAGS) -XForeignFunctionInterface clean: rm -f $(SOURCES:.hs=.hi) $(SOURCES:.hs=.o) $(PROG) HC=ghc