Execute a system command: Difference between revisions

From Rosetta Code
Content added Content deleted
(→‎{{header|Clojure}}: 15th CMake example: it also does pipelines!)
m (→‎{{header|CMake}}: Fix comment.)
Line 154: Line 154:
''execute_process()'' can also chain commands in a pipeline, and capture output.
''execute_process()'' can also chain commands in a pipeline, and capture output.


<lang cmake># Calculate to 40 digits after the decimal point.
<lang cmake># Calculate pi to 40 digits after the decimal point.
execute_process(
execute_process(
COMMAND printf "scale = 45; 4 * a(1) + 5 / 10 ^ 41\\n"
COMMAND printf "scale = 45; 4 * a(1) + 5 / 10 ^ 41\\n"

Revision as of 01:45, 24 September 2011

Task
Execute a system command
You are encouraged to solve this task according to the task description, using any language you may know.

In this task, the goal is to run either the ls (dir on Windows) system command, or the pause system command.

Ada

Using the IEEE POSIX Ada standard, P1003.5c: <lang ada>with POSIX.Unsafe_Process_Primitives;

procedure Execute_A_System_Command is

  Arguments : POSIX.POSIX_String_List;

begin

  POSIX.Append (Arguments, "ls");
  POSIX.Unsafe_Process_Primitives.Exec_Search ("ls", Arguments);

end Execute_A_System_Command;</lang>

Importing the C system() function: <lang ada>with Interfaces.C; use Interfaces.C;

procedure Execute_System is

   function Sys (Arg : Char_Array) return Integer;
   pragma Import(C, Sys, "system");
   Ret_Val : Integer;

begin

   Ret_Val := Sys(To_C("ls"));

end Execute_System;</lang>

Aikido

The simplest way to do this is using the system() function. It returns a vector of strings (the output from the command). <lang aikido> var lines = system ("ls") foreach line lines {

   println (line)

} </lang> If you don't want to process the output you can use the exec function. It writes the output to the standard output stream by default; <lang aikido> exec ("ls") </lang> You also have the regular fork and execv calls available: <lang aikido> var pid = fork() if (pid == 0) {

   var args = ["/bin/ls"]
   execv ("/bin/ls", args)
   exit(1)

} var status = 0 waitpid (pid, status)

</lang>

ALGOL 68

Works with: ALGOL 68G version Any - tested with release mk15-0.8b.fc9 - "system" is not part of the standard's prelude.

<lang algol68>system("ls")</lang>

Or the classic "!" shell escape can be implemented as an "!" operator:

Works with: ALGOL 68G version Any - tested with release mk15-0.8b.fc9 - "system" & "ANDF" are not part of the standard's prelude.

<lang algol68>OP ! = (STRING cmd)BOOL: system(cmd) = 0;

IF ! "touch test.tmp" ANDF ( ! "ls test.tmp" ANDF ! "rm test.tmp" ) THEN

 print (("test.tmp now gone!", new line))

FI</lang>

AppleScript

<lang applescript>do shell script "ls" without altering line endings</lang>

AutoHotkey

<lang autohotkey>Run, %comspec% /k dir & pause</lang>

AWK

<lang awk>BEGIN {

 system("ls")

}</lang>

BASIC

<lang qbasic>SHELL "dir"</lang>

BBC BASIC

The BBC Microcomputers use a ROM based basic interpreter, so every statement within the program is a system command. If a command without a line number is typed, whilst the computer is in a ready state, the command gets executed immediately. There is no pause command, so in this example, we use the list command (which exhibits totally different behaviour to a pause command):

<lang basic>LIST</lang>

<lang bbcbasic> *RUN dir

     *RUN pause
     *RUN cmd.exe /c dir & pause</lang>

Brat

<lang brat>include :subprocess

p subprocess.run :ls #Lists files in directory</lang>

Brlcad

<lang brlcad> exec ls </lang>

C

ISO C & POSIX:

<lang c>#include <stdlib.h>

int main() {

   system("ls");
   return 0;

}</lang>

C++

Works with: Visual C++ version 2005

<lang cpp>system("pause");</lang>

C#

Using Windows / .NET: <lang csharp>using System.Diagnostics;

namespace Execute {

   class Program
   {
       static void Main(string[] args)
       {
           Process.Start("cmd.exe", "/c dir");
       }
   }

}</lang>

Works with: MCS version 1.2.3.1

<lang csharp>using System;

 class Execute {
    static void Main() {
        System.Diagnostics.Process proc = new System.Diagnostics.Process();
        proc.EnableRaisingEvents=false;
        proc.StartInfo.FileName="ls";
        proc.Start();
   }
}</lang>

Clojure

<lang lisp>(.. Runtime getRuntime (exec "cmd /C dir"))</lang>

CMake

Works with: Unix

<lang cmake>execute_process(COMMAND ls)</lang>

Because of a quirk in the implementation (cmExecuteProcessCommand.cxx and ProcessUNIX.c), CMake diverts the standard output to a pipe. The effect is like running ls | cat in the shell. The ls process inherits the original standard input and standard error, but receives a new pipe for standard output. CMake then reads this pipe and copies all data to the original standard output.

execute_process() can also chain commands in a pipeline, and capture output.

<lang cmake># Calculate pi to 40 digits after the decimal point. execute_process(

 COMMAND printf "scale = 45; 4 * a(1) + 5 / 10 ^ 41\\n"
 COMMAND bc -l
 COMMAND sed -e "s/.\\{5\\}$//"
 OUTPUT_VARIABLE pi OUTPUT_STRIP_TRAILING_WHITESPACE)

message(STATUS "pi is ${pi}")</lang>

-- pi is 3.1415926535897932384626433832795028841972

Common Lisp

Works with: LispWorks

<lang lisp>(system:call-system "ls")</lang>

Library: trivial-shell

<lang lisp>(trivial-shell:shell-command "ls")</lang>

D

Note that this does not return the output of the command, other than the return value. That functionality can be accomplished via a call to shell(). <lang d>std.process.system("ls");</lang>

dc

<lang dc>! ls</lang>

DCL

<lang DCL>Directory</lang> Or, shorter<lang DCL>dir</lang>

Delphi

<lang Delphi>program ExecuteSystemCommand;

{$APPTYPE CONSOLE}

uses Windows, ShellApi;

begin

 ShellExecute(0, nil, 'cmd.exe', ' /c dir', nil, SW_HIDE);

end.</lang>

E

<lang e>def ls := makeCommand("ls") ls("-l")

def [results, _, _] := ls.exec(["-l"]) when (results) -> {

 def [exitCode, out, err] := results
 print(out)

} catch problem {

 print(`failed to execute ls: $problem`)

}</lang>

Erlang

<lang erlang>os:cmd("ls").</lang>

Factor

<lang factor>"ls" run-process wait-for-process</lang>

Fantom

The Process class handles creating and running external processes. in/out/err streams can be redirected, but default to the usual stdin/stdout/stderr. So following program prints result of 'ls' to the command line:

<lang fantom> class Main {

 public static Void main ()
 {
   p := Process (["ls"])
   p.run
 }

} </lang>

Forth

Works with: gforth version 0.6.2

<lang forth>s" ls" system</lang>

Fortran

Works with: gfortran

The SYSTEM subroutine (and function) are a GNU extension. <lang fortran>program SystemTest

 call system("ls")

end program SystemTest</lang>

Go

<lang go>package main import "fmt" import "exec"

func main() {

 cmd := exec.Command("ls", "-l")
 output, err := cmd.Output()
 if (err != nil) {
   fmt.Println(err)
   return
 }
 fmt.Print(string(output))

}</lang>

gnuplot

<lang gnuplot>!ls</lang>

GUISS

<lang guiss>Start,Programs,Accessories,MSDOS Prompt,Type:dir[enter]</lang>

Haskell

Works with: GHCi version 6.6

<lang haskell>import System.Cmd

main = system "ls" </lang>

See also: the System.Process module

HicEst

<lang hicest>SYSTEM(CoMmand='pause') SYSTEM(CoMmand='dir & pause') </lang>

Icon and Unicon

The code below selects the 'ls' or 'dir' command at runtime based on the UNIX feature.

<lang Icon>procedure main()

write("Trying command ",cmd := if &features == "UNIX" then "ls" else "dir") system(cmd)

end</lang>

Unicon extends system to allow specification of files and a wait/nowait parameter as in the examples below. <lang Icon>

 pid := system(command_string,&input,&output,&errout,"wait") 
 pid := system(command_string,&input,&output,&errout,"nowait")

</lang>

IDL

<lang idl>$ls</lang>

Will execute "ls" with output to the screen.

<lang idl>spawn,"ls",result</lang>

will execute it and store the result in the string array "result".

<lang idl>spawn,"ls",unit=unit</lang>

will execute it asynchronously and direct any output from it into the LUN "unit" from whence it can be read at any (later) time.

Io

<lang io>SystemCall with("ls") run</lang>

J

The system command interface in J is provided by the standard "task" script: <lang j>load'task'

NB. Execute a command and wait for it to complete shell 'dir'

NB. Execute a command but don't wait for it to complete fork 'notepad'

NB. Execute a command and capture its stdout stdout =: shell 'dir'

NB. Execute a command, provide it with stdin, NB. and capture its stdout stdin =: 'blahblahblah' stdout =: stdin spawn 'grep blah'</lang>


Java

Works with: Java version 1.5+

<lang java5>import java.util.Scanner; import java.io.*;

public class Program {

   public static void main(String[] args) {    	
   	try {
   		Process p = Runtime.getRuntime().exec("cmd /C dir");//Windows command, use "ls -oa" for UNIX
   		Scanner sc = new Scanner(p.getInputStream());    		
   		while (sc.hasNext()) System.out.println(sc.nextLine());
   	}
   	catch (IOException e) {
   		System.out.println(e.getMessage());
   	}
   }

}</lang>

Works with: Java version 1.4+

There are two ways to run system commands. The simple way, which will hang the JVM (I would be interested in some kind of reason). -- this happens because the the inputStream buffer fills up and blocks until it gets read. Moving your .waitFor after reading the InputStream would fix your issue (as long as your error stream doesn't fill up) <lang java>import java.io.IOException; import java.io.InputStream;

public class MainEntry {

   public static void main(String[] args) {
       executeCmd("ls -oa");
   }
   private static void executeCmd(String string) {
       InputStream pipedOut = null;
       try {
           Process aProcess = Runtime.getRuntime().exec(string);
           aProcess.waitFor();
           pipedOut = aProcess.getInputStream();
           byte buffer[] = new byte[2048];
           int read = pipedOut.read(buffer);
           // Replace following code with your intends processing tools
           while(read >= 0) {
               System.out.write(buffer, 0, read);
               
               read = pipedOut.read(buffer);
           }
       } catch (IOException e) {
           e.printStackTrace();
       } catch (InterruptedException ie) {
           ie.printStackTrace();
       } finally {
           if(pipedOut != null) {
               try {
                   pipedOut.close();
               } catch (IOException e) {
               }
           }
       }
   }
   
   

}</lang>

And the right way, which uses threading to read the InputStream given by the process. <lang java>import java.io.IOException; import java.io.InputStream;

public class MainEntry {

   public static void main(String[] args) {
       // the command to execute
       executeCmd("ls -oa");
   }
   private static void executeCmd(String string) {
       InputStream pipedOut = null;
       try {
           Process aProcess = Runtime.getRuntime().exec(string);
           // These two thread shall stop by themself when the process end
           Thread pipeThread = new Thread(new StreamGobber(aProcess.getInputStream()));
           Thread errorThread = new Thread(new StreamGobber(aProcess.getErrorStream()));
           
           pipeThread.start();
           errorThread.start();
           
           aProcess.waitFor();
       } catch (IOException e) {
           e.printStackTrace();
       } catch (InterruptedException ie) {
           ie.printStackTrace();
       }
   }

}

//Replace the following thread with your intends reader class StreamGobber implements Runnable {

   private InputStream Pipe;
   public StreamGobber(InputStream pipe) {
       if(pipe == null) {
           throw new NullPointerException("bad pipe");
       }
       Pipe = pipe;
   }
   public void run() {
       try {
           byte buffer[] = new byte[2048];
           int read = Pipe.read(buffer);
           while(read >= 0) {
               System.out.write(buffer, 0, read);
               read = Pipe.read(buffer);
           }
       } catch (IOException e) {
           e.printStackTrace();
       } finally {
           if(Pipe != null) {
               try {
                   Pipe.close();
               } catch (IOException e) {
               }
           }
       }
   }

}</lang>

JavaScript

JavaScript does not have any facilities to interact with the OS. However, host environments can provide this ability.

Works with: JScript

<lang javascript>var shell = new ActiveXObject("WScript.Shell"); shell.run("cmd /c dir & pause");</lang>

Works with: Rhino

<lang javascript>runCommand("cmd", "/c", "dir", "d:\\"); print("==="); var options = {

   // can specify arguments here in the options object
   args: ["/c", "dir", "d:\\"],
   // capture stdout to the options.output property
   output: 

}; runCommand("cmd", options); print(options.output);</lang>

Joy

<lang joy>"ls" system.</lang>

Liberty BASIC

<lang lb>

drive1$ = left$(Drives$,1)

run "cmd.exe /";drive1$;" dir & pause"

</lang>

Locomotive Basic

The Amstrad CPC464 uses a ROM based basic interpreter, so every statement within the program is a system command. If a command without a line number is typed, whilst the computer is in a ready state, the command gets executed immediately. There is no pause command, so in this example, we use the list command (which exhibits totally different behaviour to a pause command):

<lang basic>LIST</lang>

Works with: UCB Logo

The lines of output of the SHELL command are returned as a list. <lang logo>print first butfirst shell [ls -a]  ; ..</lang>

Lua

<lang lua>-- just executing the command os.execute("ls")

-- to execute and capture the output, use io.popen local f = io.popen("ls") -- store the output in a "file" print( f:read("*a") ) -- print out the "file"'s content</lang>

M4

<lang M4>syscmd(ifdef(`__windows__',`dir',`ls'))</lang>

MAXScript

<lang maxscript>dosCommand "pause"</lang>

Make

make can use system command in either definition of variables or in the targets

in definition

<lang make>contents=$(shell cat foo) curdir=`pwd`</lang>

in target

<lang make>mytarget:

  cat foo | grep mytext</lang>

MATLAB

To execute system commands in MATLAB, use the "system" keyword.

Sample Usage: <lang MATLAB>>> system('PAUSE')

Press any key to continue . . .


ans =

    0

</lang>

Modula-2

<lang modula2>MODULE tri;

FROM SYSTEM IMPORT ADR; FROM SysLib IMPORT system;

IMPORT TextIO, InOut, ASCII;

VAR fd  : TextIO.File;

     ch                : CHAR;

PROCEDURE SystemCommand (VAR command : ARRAY OF CHAR) : BOOLEAN;

BEGIN

  IF  system (ADR (command) ) = 0  THEN
     RETURN TRUE
  ELSE
     RETURN FALSE
  END

END SystemCommand;

BEGIN

  IF  SystemCommand ("ls -1 tri.mod | ") = TRUE  THEN
     InOut.WriteString ("No error reported.")
  ELSE
     InOut.WriteString ("Error reported!")
  END;
  LOOP
     InOut.Read (ch);
     InOut.Write (ch);
     IF  ch < ' '  THEN  EXIT  END
  END;
  InOut.WriteLn;
  InOut.WriteBf

END tri.</lang>

Modula-3

This code requires the UNSAFE keyword because M3toC deals with C strings (which are pointers), and are implemented in Modula-3 as UNTRACED, meaning they are not garbage collected, which is why the code calls FreeCopiedS().

Also note the EVAL keyword, which ignores the return value of a function. <lang modula3>UNSAFE MODULE Exec EXPORTS Main;

IMPORT Unix, M3toC;

VAR command := M3toC.CopyTtoS("ls");

BEGIN

 EVAL Unix.system(command);
 M3toC.FreeCopiedS(command);

END Exec.</lang>

MUMPS

ANSI MUMPS doesn't allow access to the operating system except possibly through the View command and $View function, both of which are implementation specific. Intersystems' Caché does allow you to create processes with the $ZF function, and if the permissions for the Caché process allow it you can perform operating system commands.

In Caché on OpenVMS in an FILES-11 filesystem ODS-5 mode this could work: <lang MUMPS>Set X=$ZF(-1,"DIR")</lang>

In GT.M on OpenVMS, the following will work: <lang MUMPS>ZSY "DIR"</lang>

GT.M on UNIX is the same: <lang MUMPS>ZSY "ls"</lang>

Note: $ZF in GT.M is Unicode version of $F[ind].

Objective-C

Works with: GCC


NSTask runs an external process with explicit path and arguments. <lang objc>void runls() {

   [[NSTask launchedTaskWithLaunchPath:@"/bin/ls"
       arguments:[NSArray array]] waitUntilExit];

}</lang> If you need to run a system command, invoke the shell: <lang objc>void runSystemCommand(NSString *cmd) {

   [[NSTask launchedTaskWithLaunchPath:@"/bin/sh"
       arguments:[NSArray arrayWithObjects:@"-c", cmd, nil]]
       waitUntilExit];

}</lang> Complete usage example:

Works with: Cocoa


Works with: GNUstep

<lang objc>#import <Foundation/Foundation.h>

void runSystemCommand(NSString *cmd) {

   [[NSTask launchedTaskWithLaunchPath:@"/bin/sh"
       arguments:[NSArray arrayWithObjects:@"-c", cmd, nil]]
       waitUntilExit];

}

int main(int argc, const char **argv) {

   NSAutoreleasePool *pool;
   pool = [NSAutoreleasePool new];
   runSystemCommand(@"ls");
   [pool release];
   return 0;

}</lang> Or use the C method above.

OCaml

Just run the command:

<lang ocaml>Sys.command "ls"</lang>

To capture the output of the command:

<lang ocaml>#load "unix.cma"

let syscall cmd =

 let ic, oc = Unix.open_process cmd in
 let buf = Buffer.create 16 in
 (try
    while true do
      Buffer.add_channel buf ic 1
    done
  with End_of_file -> ());
 let _ = Unix.close_process (ic, oc) in
 (Buffer.contents buf)

let listing = syscall "ls" ;;</lang>


a more complete version which also returns the contents from stderr, and checks the exit-status, and where the environment can be specified:

<lang ocaml>let check_exit_status = function

 | Unix.WEXITED 0 -> ()
 | Unix.WEXITED r -> Printf.eprintf "warning: the process terminated with exit code (%d)\n%!" r
 | Unix.WSIGNALED n -> Printf.eprintf "warning: the process was killed by a signal (number: %d)\n%!" n
 | Unix.WSTOPPED n -> Printf.eprintf "warning: the process was stopped by a signal (number: %d)\n%!" n

let syscall ?(env=[| |]) cmd =

 let ic, oc, ec = Unix.open_process_full cmd env in
 let buf1 = Buffer.create 96
 and buf2 = Buffer.create 48 in
 (try
    while true do Buffer.add_channel buf1 ic 1 done
  with End_of_file -> ());
 (try
    while true do Buffer.add_channel buf2 ec 1 done
  with End_of_file -> ());
 let exit_status = Unix.close_process_full (ic, oc, ec) in
 check_exit_status exit_status;
 (Buffer.contents buf1,
  Buffer.contents buf2)</lang>
val syscall : ?env:string array -> string -> string * string

Octave

<lang octave>system("ls");</lang>

Oz

<lang oz>{OS.system "ls" _}</lang>

A more sophisticated example can be found here.

PARI/GP

<lang parigp>system("ls")</lang>

Perl

<lang perl>my @results = qx(ls);

  1. runs command and returns its STDOUT as a string

my @results = `ls`;

  1. ditto, alternative syntax

system "ls";

  1. runs command and returns its exit status; its STDOUT gets output to our STDOUT

print `ls`;

  1. The same, but with back quotes

exec "ls";

  1. replace current process with another</lang>

Also see: http://perldoc.perl.org/perlipc.html#Using-open()-for-IPC http://perldoc.perl.org/IPC/Open3.html

Perl 6

<lang perl6>run "ls" or die $!; # output to stdout

my @ls = qx/ls/; # output to variable

my $cmd = 'ls'; my @ls = qqx/$ls/; # same thing with interpolation</lang>

PHP

The first line execute the command and the second line display the output: <lang php>@exec($command,$output); echo nl2br($output);</lang> Note:The '@' is here to prevent error messages to be displayed, 'nl2br' translate '\n' chars to 'br' in HTML.

Other: <lang php>$results = `ls`;

  1. runs command and returns its STDOUT as a string

system("ls");

  1. runs command and returns its exit status; its STDOUT gets output to our STDOUT

echo `ls`;

  1. the same, but with back quotes

passthru("ls");

  1. like system() but binary-safe</lang>

See also: proc_open()

PicoLisp

<lang PicoLisp>(call "ls")</lang>

Pike

<lang pike> int main(){

  // This appears to only work in Pike >= 7.8 :(
  string response = Process.run("ls");
  // response is now a map containing 3 fields
  // stderr, stdout, and exitcode. We want stdout.
  write(response["stdout"] + "\n");

}</lang>

Pop11

The sysobey function runs commands using a shell:

<lang pop11>sysobey('ls');</lang>

PowerShell

Since PowerShell is a shell, running commands is the default operation. <lang powershell>dir ls Get-ChildItem</lang> are all equivalent (the first two are aliases for the third) but they are PowerShell-native commands. If one really needs to execute dir (which is no program but rather a built-in command in cmd.exe) this can be achieved by <lang powershell>cmd /c dir</lang>

Prolog

Works with: SWI Prolog
Works with: GNU Prolog

<lang prolog>shell('ls').</lang>

PureBasic

<lang PureBasic>ImportC "msvcrt.lib"

 system(str.p-ascii)

EndImport

If OpenConsole()

 system("dir & pause")
 
 Print(#CRLF$ + #CRLF$ + "Press ENTER to exit")
 Input()
 CloseConsole()

EndIf</lang>

Python

<lang python>import os exit_code = os.system('ls') # Just execute the command, return a success/fail code output = os.popen('ls').read() # If you want to get the output data. Deprecated.</lang> or

Works with: Python version 2.7 (and above)

<lang python>import subprocess

  1. if the exit code was non-zero these commands raise a CalledProcessError

exit_code = subprocess.check_call(['ls', '-l']) # Python 2.5+ assert exit_code == 0 output = subprocess.check_output(['ls', '-l']) # Python 2.7+</lang>

or

Works with: Python version 2.4 (and above)

<lang python>from subprocess import PIPE, Popen, STDOUT p = Popen('ls', stdout=PIPE, stderr=STDOUT) print p.communicate()[0]</lang>

Note: The latter is the preferred method for calling external processes, although cumbersome, it gives you finer control over the process.

or

Works with: Python version 2.2 (and above)

<lang python>import commands stat, out = commands.getstatusoutput('ls') if not stat:

   print out</lang>

R

<lang R>system("ls") output=system("ls",intern=TRUE)</lang>

Raven

Back tick string is auto executed:

<lang raven>`ls -la` as listing</lang>

Or specifically on any string:

<lang raven>'ls -la' shell as listing</lang>

REBOL

<lang REBOL>; Capture output to string variable:

x: "" call/output "dir" x print x

The 'console' refinement displays the command output on the REBOL command line.

call/console "dir *.r" call/console "ls *.r"

call/console "pause"

The 'shell' refinement may be necessary to launch some programs.

call/shell "notepad.exe"</lang>

REXX

Since REXX is a shell scripting language, it's easy to execute commands: <lang REXX>"dir /a:d"</lang>

Ruby

<lang ruby>string = `ls`

  1. runs command and returns its STDOUT as a string

string = %x{ls}

  1. ditto, alternative syntax

system "ls"

  1. runs command and returns its exit status; its STDOUT gets output to our STDOUT

print `ls`

  1. The same, but with back quotes

exec "ls"

  1. replace current process with another
  1. call system command and read output asynchronously

io = IO.popen('ls')

  1. ... later

io.each {|line| puts line}</lang>

Scala

<lang scala>import scala.sys.process.Process Process("ls", Seq("-oa"))!</lang>

Scheme

Works with: Guile
Works with: Chicken Scheme

<lang scheme>(system "ls")</lang>

Seed7

System commands can make a program unportable. Unix, Linux and BSD use the command ls, while Windows respectively DOS use the command dir. The format written by ls respectively dir depends on operating system and locale. The library osfiles.s7i defines the function read_dir, which reads the contents of a directory in a portable way. Read_dir works independend from operating system and locale and supports also Unicode filenames. Anyway, the task was to use a system command, so here is the example:

<lang seed7>$ include "seed7_05.s7i";

 include "shell.s7i";

const proc: main is func

 begin
   cmd_sh("ls");
 end func;</lang>

Slate

Run a command normally through the shell:

<lang slate>Platform run: 'ls'.</lang>

Run a command (this way takes advantage of the 'does not understand' message for the shell object and calls the Platform run: command above with a specific command):

<lang slate>shell ls: '*.slate'.</lang>

Smalltalk

<lang smalltalk>Smalltalk system: 'ls'.</lang>

Standard ML

Just run the command:

<lang sml>OS.Process.system "ls"</lang>

Tcl

<lang tcl>puts [exec ls]</lang>

This page uses "ls" as the primary example. For what it's worth, Tcl has built-in primitives for retrieving lists of files so one would rarely ever directly exec an ls command.

It is also possible to execute a system command by "open"ing it through a pipe from whence any output of the command can be read at any (later) time. For example:

<lang tcl>set io [open "|ls" r]</lang>

would execute "ls" and pipe the result into the channel whose name is put in the "io" variable. From there one could receive it either line by line like this:

<lang tcl>set nextline [gets $io]</lang>

or read the whole shebang in a fell swoop:

<lang tcl>set lsoutput [read $io]</lang>

If the command is opened "rw", it is even possible to send it user input through the same handle, though care must be taken with buffering in that case.

Toka

<lang toka>needs shell " ls" system</lang>

TUSCRIPT

<lang tuscript> $$ MODE TUSCRIPT system=SYSTEM () IF (system=="WIN") THEN EXECUTE "dir" ELSEIF (system.sw."LIN") THEN EXECUTE "ls -l" ENDIF </lang>

UNIX Shell

UNIX shells are designed to run system commands as a default operation. <lang bash>ls</lang>

If one wants to capture the command's standard output:

Works with: Bourne Shell

<lang bash>output=`ls`</lang>

In C-Shell this can be achieved by <lang bash>set output = `ls`</lang>

Where as in Korn Shell (and also Almquist Shell and Bash) it becomes: <lang bash>output=$(ls)</lang>

Note: in `ls`, these are "backticks" rather than quotes or apostrophes. These "backticks" can also be used in Korn Shell, though its users prefer the $(...) form when discussing such things in e-mail, on USENET, or in other online forums (such as this wiki). Also the $(...) form of command substitution is nestable.

If one wishes to replace the shell process with some other command (chain into some command with no return) one can use the exec shell built-in command in any of the common UNIX shells (C-Shell, and all of the Bourne-compatible shells).

<lang bash>exec ls</lang>

Ursala

The library function, ask, parameterized by a shell descriptor, such as bash, spawns a process that interacts with that shell by feeding it a list of commands, and returns a transcript of the interaction.

Note that the output from the spawned process is captured and returned only, not sent to the standard output stream of the parent.

Here is a self-contained command line application providing a limited replacement for the ls command. <lang Ursala>#import std

  1. import cli
  1. executable ('parameterized',)

myls = <.file$[contents: --<>]>@hm+ (ask bash)/0+ -[ls --color=no]-!</lang> The color option is needed to suppress terminal escape sequences.

Visual Basic

Shelling out a sub task in Visual Basic is rather a pain if you need to wait for the task to complete, which is probably the usual case. But it is possible. <lang vb>Attribute VB_Name = "mdlShellAndWait" Option Explicit

Private Declare Function OpenProcess Lib "kernel32" _

   (ByVal dwDesiredAccess As Long, ByVal bInheritHandle As Long, _
   ByVal dwProcessId As Long) As Long

Private Declare Function GetExitCodeProcess Lib "kernel32" _

   (ByVal hProcess As Long, lpExitCode As Long) As Long

Private Const STATUS_PENDING = &H103& Private Const PROCESS_QUERY_INFORMATION = &H400

' ' Little function go get exit code given processId ' Function ProcessIsRunning( processId as Long ) as Boolean

   Dim exitCode as Long
   Call GetExitCodeProcess(lProcessId, exitCode)
   ProcessIsRunning = (exitCode = STATUS_PENDING)

End Function

' Spawn subprocess and wait for it to complete. ' I believe that the command in the command line must be an exe or a bat file. ' Maybe, however, it can reference any file the system knows how to "Open" ' ' commandLine is an executable. ' expectedDuration - is for poping up a dialog for whatever ' infoText - text for progressDialog dialog

Public Function ShellAndWait( commandLine As String, _

   expectedDuration As Integer ) As Boolean
   
   Dim inst As Long
   Dim startTime As Long
   Dim expirationTime As Long
   Dim pid As Long
   Dim expiresSameDay As Boolean
   
   On Error GoTo HandleError
   'Deal with timeout being reset at Midnight ($hitForBrains VB folks)
   startTime = CLng(Timer)
   expirationTime = startTime + expectedDuration
   expiresSameDay = expirationTime < 86400
   If Not expiresSameDay Then
       expirationTime = expirationTime - 86400
   End If
   inst = Shell(commandLine, vbMinimizedNoFocus)
   
   If inst <> 0 Then
       pid = OpenProcess(PROCESS_QUERY_INFORMATION, False, inst)
       Do While ProcessIsRunning( pid)
           DoEvents
           If Timer > expirationTime And (expiresSameDay Or Timer < startTime) Then
               Exit Do
           End If
       Loop 
       ShellAndWait = True
   Else
       MsgBox ("Couldn't execute command: " & commandLine)
       ShellAndWait = False
   End If
       
   Exit Function
  

HandleError:

   MsgBox ("Couldn't execute command: " & commandLine)
   ShellAndWait = False

End Function

Sub SpawnDir()

  ShellAndWait("dir", 10)

End Sub</lang>

ZX Spectrum Basic

The ZX Spectrum uses a ROM based basic interpreter, so every statement within the program is a system command. If a command without a line number is typed, whilst the computer is in a ready state, the command gets executed immediately:

<lang zxbasic>PAUSE 100</lang>