Skip to content

Instantly share code, notes, and snippets.

@pa-0
Forked from anonymous1184/Clip.ahk
Last active September 16, 2024 06:11
Show Gist options
  • Save pa-0/14816b66a4d51c9c135771b642a27d8b to your computer and use it in GitHub Desktop.
Save pa-0/14816b66a4d51c9c135771b642a27d8b to your computer and use it in GitHub Desktop.
Clipboard Wrapper

Handling the Clipboard in AutoHotkey

by anonymous1184

TOC

Introduction

The Clipboard is a PITA1, funny thing is that AHK makes it very easy as opposed to what the C++ code is wrapping2, so in theory:

Clipboard := ""     ; Ready
Clipboard := "test" ; Set
Send ^v             ; Go

Should be enough, right? RIGHT? Well is not by a long shot. That's why I try to avoid as much as possible relying on the Clipboard but the truth is that is almost always needed, specially when dealing with large amounts of text.

ClipWait3 proves its helpfulness but also is not enough. Nor any of the approaches that I've seen/tried (including the ones I've wrote). This is an attempt with my best intentions and not an ultimate option but at very least covers all scenarios*.

Note

Race conditions can and might happen as it is a shared memory heap.

I blab way too much and the worst thing is that I'm not a native Speaker so my mind is always in a different place than my words, suffice to say that there are access and timing issues with the operations because, even tho we see just a variable is not; is a whole infrastructure behind controlled by the underlying OS. Enter:

Clip.ahk4 — Clipboard Wrapper

Nothing out of the ordinary and a somewhat basic object but with the little "tricks" (at the lack of a better term) I've picked that have solved the issues at hand.

The good:

Prevents messing up if the Clipboard is not accessible and avoids timing problems.

The bad:

There's no way of detecting when the Paste command starts and when it ends; depends on system load, how much the application cares about user input (as it receives the ^v combo) and its processing time. A while() is used.

The ugly:

The Clipboard is not an AHK resource, is a system-wide shared asset and higher precedence applications can get a hold of it, blocking it and even render it unusable when calamity strikes.

Anyway, the object is small and intuitive:

Clip.Locked

Is the only public property, can be used in a conditional to manually check if the Clipboard is in use, otherwise for automatic checking use:

Clip.Check()

It throws a catchable Exception if something is wrong. It also tells which application is currently locking the Clipboard.

The rest is self explanatory:

Clip.Backup()                         ; Manual backup.
Clip.Clear([Backup := true])          ; Empties (automatic backup).
Clip.Get([Backup := true, Wait := 5]) ; Copies (automatic backup).
Clip.Paste([Restore := false])        ; Pastes (optional restore).
Clip.Restore()                        ; Manual restore.

; Puts data (automatic backup, optionally skip managers).
Clip.Set(Data[, Backup := true, Wait := 1, NoHistory := false])

And here is an example, press 1 in Notepad* to see it in action and 2 to for 10 loops of the same:

Note

Is important to be the built-in Notepad as it handles properly the amount of text and the fast nature of the test.

; As fast as possible
ListLines Off
SetBatchLines -1

; Create a .5 MiB worth of text
oneKb := ""
loop 1024
	oneKb .= "#"

halfMb := ""
loop 512
	halfMb .= oneKb
halfMb .= "`r`n"

; "test data"
Clipboard := "test123test`r`n"


return ; End of auto-execute


#Include <Clip>

1::
	Clip.Check() ; Simple check

	/*
	; Manual check
	if (Clip.Locked) {
		MsgBox 0x40010, Error, Clipboard inaccessible.
		return
	}
	*/

	/*
	; Personalized check
	try {
		Clip.Check()
	} catch e {
		DetectHiddenWindows On
		WinGet path, ProcessPath, % "ahk_id" e.Extra
		if (path) {
			SplitPath path, file, path
			e.Message .= "`nFile:`t" file
			e.Message .= "`nPath:`t" path
		}
		MsgBox 0x40010, Error, % e.Message
		Exit ; End the thread
	}
	*/

	Clip.Paste() ; Paste current Clipboard, no restore
	Clip.Set(halfMb) ; Fill Clipboard (512kb of text, automatic backup)
	Clip.Paste() ; Paste `large` variable contents, no restore
	Clip.Restore() ; Restore "test data"
	Clip.Paste() ; Paste "test data", no restore

	; Type some text and select it
	SendInput This is a test{Enter}+{Up}

	Sleep 500 ; Wait for it

	Clip.Get() ; Copy selection
	Clip.Paste() ; Paste selection, no restore
	Clip.Paste(true) ; Paste selection, restoring "test data"
	Clip.Paste() ; Paste "test data"

	SendInput {Enter} ; Blank line
return

2::
	loop 10
		Send 1
return

You can put it in your Standard library5 so it can be used anywhere. In any case hope is useful, please let me know about any findings.

Footnotes

  1. https://stackoverflow.com/questions/tagged/clipboard

  2. https://docs.microsoft.com/en-us/windows/win32/dataxchg/using-the-clipboard#implementing-the-cut-copy-and-paste-commands

  3. https://www.autohotkey.com/docs/commands/ClipWait.htm

  4. https://git.io/Jilgc

  5. https://www.autohotkey.com/docs/Functions.htm

; Version: 2022.06.30.1
; Usages and examples: https://redd.it/mpf896
/* Clipboard Wrapper
.Locked ; Clipboard status.
.Check() ; Automated check (throws Exception).
.Backup() ; Manual backup.
.Clear([Backup := true]) ; Empties (automatic backup).
.Get([Backup := true, Wait := 5]) ; Copies (automatic backup).
.Paste([Restore := false]) ; Pastes (optional restore).
.Restore() ; Manual restore.
; Puts data (automatic backup).
.Set(Data[, Backup := true, Wait := 1, NoHistory := false])
*/
class Clip
{
Locked[]
{
get {
return this._Check(false)
}
}
Backup()
{
this._Storage(true)
}
Check()
{
this._Check(true)
}
Clear(Backup := true)
{
if (Backup)
this._Storage(true)
DllCall("User32\OpenClipboard", "Ptr",A_ScriptHwnd)
DllCall("User32\EmptyClipboard")
DllCall("User32\CloseClipboard")
}
Get(Backup := true, Wait := 5)
{
this.Clear(Backup)
Send ^c
ClipWait % Wait, 1
if (ErrorLevel)
throw Exception("Couldn't get Clipboard contents.", -1)
return Clipboard
}
Paste(RestoreBackup := false)
{
BlockInput Send
Send ^v
Sleep 20
while (DllCall("User32\GetOpenClipboardWindow"))
continue
BlockInput Off
if (RestoreBackup)
this._Storage(false)
}
Restore()
{
this._Storage(false)
}
Set(Data, Backup := true, Wait := 1, NoHistory := false)
{
this.Clear(Backup)
if (!IsObject(Data) && !StrLen(Data))
return
if (NoHistory)
this._SetNH(Data)
else
Clipboard := Data
ClipWait % Wait, 1
if (ErrorLevel)
throw Exception("Couldn't set Clipboard contents.", -1)
return Data
}
; Private
_Check(WithException)
{
inUse := !DllCall("OpenClipboard", "Ptr",A_ScriptHwnd)
if (inUse) {
DetectHiddenWindows On
hWnd := DllCall("User32\GetOpenClipboardWindow")
WinGet exe, ProcessName, % "ahk_id" hWnd
}
if (inUse && WithException)
throw Exception("Clipboard locked.", -1, exe)
return !DllCall("User32\CloseClipboard")
}
_Storage(bSet)
{
static storage := ""
if (bSet) {
storage := ClipboardAll
} else {
Clipboard := storage
VarSetCapacity(storage, 0)
VarSetCapacity(storage, -1)
}
}
_SetNH(String) ; No History
{
format := DllCall("User32\RegisterClipboardFormat"
, "Str","ExcludeClipboardContentFromMonitorProcessing")
size := StrPut(String, "UTF-16")
hMem := DllCall("Kernel32\GlobalAlloc", "UInt",0x0040, "UInt",size * 2) ; GHND
pMem := DllCall("Kernel32\GlobalLock", "Ptr",hMem)
StrPut(String, pMem, size, "UTF-16")
DllCall("Kernel32\GlobalUnlock", "Ptr",hMem)
DllCall("User32\OpenClipboard", "Ptr",0)
DllCall("User32\SetClipboardData", "UInt",format, "Ptr",0)
DllCall("User32\SetClipboardData", "UInt",13, "Ptr",hMem) ; CF_UNICODETEXT
DllCall("User32\CloseClipboard")
}
}
; Version: 2022.06.30.1
; Usages and examples: https://redd.it/mq9m58
ClipHistory(Ini, Monitoring := true)
{
static instance := false
if (!instance)
instance := new ClipHistory(Ini, Monitoring)
return instance
}
#Include <Clip>
class ClipHistory extends Clip
{
; Properties
Monitor[]
{
get {
return this._active
}
set {
return this.Toggle(value)
}
}
Skip[]
{
get {
return this._skips
}
set {
this._skips := Format("{:d}", value)
return this._skips
}
}
; Public methods
__New(Ini, Monitoring)
{
this._skips := 0
this._last := Clipboard
loop files, % Ini
Ini := A_LoopFileLongPath
if (!FileExist(Ini))
throw Exception("File '" Ini "' not found.", -1)
Monitoring := !!Monitoring
IniRead path, % Ini, CLIPBOARD, path
attributes := FileExist(path)
if (!InStr(attributes, "D"))
throw Exception("Bad path, check '" Ini "'.", -1)
this._path := path
IniRead key1, % Ini, CLIPBOARD, key1, % false
IniRead key2, % Ini, CLIPBOARD, key2, % false
if (!key1 && !key2)
throw Exception("No keys to bind.", -1)
this._data := {}
if (key1)
this._MenuHistoryBind(key1, Monitoring)
if (key2)
this._MenuSnippetsBind(key2, Ini)
IniRead size, % Ini, CLIPBOARD, size
this._size := size > 99 ? 99 : size < 1 ? 49 : size
}
Get(Backup := true, Wait := 5, Skip := 0)
{
this._skips += Skip
parent := ObjGetBase(this.Base)
parent.Get(Backup, Wait)
}
Previous()
{
this.Set(this._prev, false, false)
this.Paste()
}
Toggle(State := -1)
{
if (State = -1)
this._active ^= 1
else
this._active := State
OnClipboardChange(this._monitorBind, this._active)
return this._active
}
; Private
_Crc32(String)
{
return DllCall("Ntdll\RtlComputeCrc32", "UInt",0, "Ptr",&String
, "UInt",StrLen(String) * 2, "UInt")
}
_Delete(Path)
{
Clipboard := ""
FileDelete % Path
}
_DeleteAll()
{
MsgBox 0x40024, > ClipHistory, Delete all Clipboard History?
IfMsgBox Yes
{
Clipboard := ""
FileDelete % this._path "\*.clip"
}
}
_MenuHistory()
{
files := []
loop files, % this._path "\*.clip"
files[A_LoopFileTimeModified] := A_LoopFileLongPath
; No History
if (!files.Count())
return
; Max History, FIFO mode.
loop % files.Count() - this._size {
last := files.MinIndex()
FileDelete % files.RemoveAt(last)
}
; (re)Set
this._data["hist"] := []
last := files[files.MaxIndex()]
while (file := files.Pop()) {
; Read
FileRead contents, % "*P1200 " file
this._data["hist"].Push(contents)
contents := LTrim(contents, "`t`n`r ")
; Number of lines
StrReplace(contents, "`n",, numLines)
; 0-padded index
index := Format("{:02}", A_Index)
; First LF occurrence
firstLF := InStr(contents, "`n")
; Limit to first LF or 30 chars
size := firstLF && firstLF < 30 ? firstLF : 30
; Cut
title := SubStr(contents, 1, size)
; Ellipsis if needed
title .= StrLen(contents) > 30 ? "..." : ""
; Put number of lines at the right
title .= numLines > 1 ? "`t+" numLines : ""
this._MenuHistoryBuild(index, title)
}
noOp := {}
; Always bind, faster than store/retrieve
fnToggle := ObjBindMethod(this, "Toggle", -1)
fnDeleteAll := ObjBindMethod(this, "_DeleteAll")
fnDeleteLast := ObjBindMethod(this, "_Delete", last)
Menu History, Add
Menu History, Add, &Monitor, % fnToggle
Menu History, Add
Menu History, Add, Delete &All, % fnDeleteAll
Menu History, Add, Delete &Last, % fnDeleteLast
Menu History, Add, &Cancel, % noOp
if (this._active)
Menu History, Check, &Monitor
Menu History, Show
; Cleanup
loop % index // 10 ; Sub-menu number
Menu % "clipSub" A_Index, DeleteAll
Menu History, DeleteAll
}
_MenuHistoryBind(Key, Monitoring)
{
fnObj := ObjBindMethod(this, "_MenuHistory")
Hotkey % Key, % fnObj, UseErrorLevel
if (ErrorLevel)
throw Exception("Couldn't bind '" Key "'.", -1)
this._active := Monitoring
this._monitorBind := ObjBindMethod(this, "_Monitor")
OnClipboardChange(this._monitorBind, this._active)
}
_MenuHistoryBuild(index, item)
{
tens := SubStr(index, 1, 1)
unit := SubStr(index, 0, 1)
item := StrReplace(item, "&", "&&")
fnObj := ObjBindMethod(this, "_Paste", "hist", "", index)
if (!tens) ; Top level menu
Menu History, Add, % "&" unit ") " item, % fnObj
else if (index = 10) ; Separator
Menu History, Add
if (tens) { ; Sub menu items
index := SubStr(index, 1, 1) "&" SubStr(index, 2)
Menu % "clipSub" tens, Add, % index ") " item, % fnObj
}
if (!unit) ; Sub menu headers
Menu History, Add, % tens "0 - " tens "9", % ":clipSub" tens
}
_MenuSnippets()
{
Menu Snippets, Show
}
_MenuSnippetsBind(Key, Ini)
{
fnObj := ObjBindMethod(this, "_MenuSnippets")
Hotkey % Key, % fnObj, UseErrorLevel
if (ErrorLevel)
throw Exception("Couldn't bind '" Key "'.", -1)
IniRead snippets, % Ini, SNIPPETS
if (!snippets)
throw Exception("No snippets defined.", -1)
loop parse, snippets, `n
this._snips .= A_Index < 10 ? A_LoopField "`n" : ""
this._snips := RTrim(this._snips, "`n")
this._MenuSnippetsBuild()
}
_MenuSnippetsBuild()
{
fnObj := ObjBindMethod(this, "_Paste", "snip")
loop parse, % this._snips, `n
{
snip := StrSplit(A_LoopField, "=",, 2)
this._data["snip", A_Index] := snip[2]
Menu Snippets, Add, % "&" A_Index ") " snip[1], % fnObj
}
noOp := {}
Menu Snippets, Add
Menu Snippets, Add, &Cancel, % noOp
}
_Monitor(Type)
{
static format := DllCall("User32\RegisterClipboardFormat"
, "Str","ExcludeClipboardContentFromMonitorProcessing")
if (Type != 1)
|| (DllCall("User32\IsClipboardFormatAvailable", "UInt",format))
return
if (this._skips) {
this._skips--
return
}
crcCurrent := this._Crc32(Clipboard)
if (this._crcLast = crcCurrent)
return
this._crcLast := crcCurrent
; Set previous
this._prev := this._last
this._last := Clipboard
; Save as UTF-16
FileOpen(this._path "\" crcCurrent ".clip", 0x1, "CP1200").Write(Clipboard)
}
_Paste(DataType, _, Index)
{
skip := (DataType = "snip")
this.Set(this._data[DataType, Index],,, skip)
this.Paste(false)
}
}

This is just an example on how to extend the Clipboard Helper1 class I posted yesterday.

ClipHistory.ahk2 - Clipboard History Manager

By no means is a solution for everyone as is a really minimalist approach and only process/stores plain text.

The inspiration was CLCL3 and ClipMenu4/Clipy5. For my personal taste, the only thing left to add would be a small visor of some sort as a preview of the current Clipboard content but I haven't figured out how exactly I want that to look like (and is been like that forever).

It provides a hotkey triggered history menu with up to 99 recent Clipboard contents and up to 9 snippets. It does not rely on ^c to grab the contents of the Clipboard so it will work when Clipboard is modified via application menus and toolbars.

The menu is sorted by most recent usage and ignores duplicates, when retrieving an older item is then placed in the most recent position. There are options to delete entries.

The monitor can be toggled via the menu itself or programmatically if there's need for batch modifications of the Clipboard; it also provides a property to skip custom number of changes from the history.

An advantage is that it can be plugged into any script by simply adding:

ClipHist := ClipHistory("options.ini")

Here's the object public properties/methods:

ClipHist.Monitor           ; Get monitor state
ClipHist.Monitor := <bool> ; Set monitor state
ClipHist.Skip              ; Remaining skips
ClipHist.Skip := <int>     ; Skip next # item from history
ClipHist.Previous()        ; Swap and paste previous entry
ClipHist.Toggle()          ; Toggles monitor state

The configuration is stored in an INI file, structure is as follows:

[CLIPBOARD]
key1 = #v
; Hist Menu

key2 = +#v
; Snips Menu

size = 49
; Max items

path = Clips\
; Path for files

[SNIPPETS]
; snip1 =
; snip2 =
; snip3 =
; snip4 =
; snip5 =
; snip6 =
; snip7 =
; snip8 =
; snip9 =
; Max 9 snips

Hope you find it useful, as always any feedback is greatly appreciated.


Last update: 2022/06/30

Footnotes

  1. https://redd.it/mpf896

  2. https://git.io/JilgN

  3. https://www.nakka.com/soft/clcl/index_eng.html

  4. http://www.clipmenu.com/

  5. https://clipy-app.com/

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment