[Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No IE!

Post your working scripts, libraries and tools for AHK v1.1 and older
User avatar
yawikflame
Posts: 21
Joined: 02 Jan 2017, 06:19
Contact:

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

24 Apr 2018, 23:54

Xtra wrote:PageInst.Evaluate("document.getElementsByTagName('html')[0].textContent;").Value
thank you! that works partially.
i was hoping to grab the tags as well...
i'm trying to retrieve all the buttons that have a certain value, and i tried several solutions offered at stackOverFlow, but none of them worked.

cheers ;)
yawik
User avatar
Xtra
Posts: 2744
Joined: 02 Oct 2015, 12:15

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

25 Apr 2018, 00:49

With all tags:
PageInst.Evaluate("document.getElementsByTagName('html')[0].outerHTML;").Value
Shadowpheonix
Posts: 1259
Joined: 16 Apr 2015, 09:41

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

26 Apr 2018, 13:04

For some reason, I cannot seem to use Chrome.GetPageByTitle("page title"). When I try, it always fails to retrieve the page. :(

Here is a version of GeekDude's InjectJS.ahk example that I modified to show what I am trying. If I use Chrome.GetPage() instead (as originally written in the example), the script works perfectly.
Spoiler
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

29 Apr 2018, 12:39

After a little reflection, I wrote an a simple extension for the class Chrome, which eliminates the need to change the original code and supports the functionality described earlier.

Code: Select all

Class ChromeEx Extends Chrome {
	__New(ProfilePath:="", URL:="about:blank", Flags:="", ChromePath:="", DebugPort:=9222, funcName := "") {
		this.funcName := funcName
		; Проверка профиля
		if (ProfilePath != "" && !InStr(FileExist(ProfilePath), "D"))
			throw Exception("The given ProfilePath does not exist")
		this.ProfilePath := ProfilePath
		
		; TODO: Perform a more rigorous search for Chrome
		if (ChromePath == "")
			FileGetShortcut, %A_StartMenuCommon%\Programs\Google Chrome.lnk, ChromePath
		if !FileExist(ChromePath)
			throw Exception("Chrome could not be found")
		this.ChromePath := ChromePath
		
		if DebugPort is not integer
			throw Exception("DebugPort must be a positive integer")
		if (DebugPort <= 0)
			throw Exception("DebugPort must be a positive integer")
		this.DebugPort := DebugPort
		
		; TODO: Support an array of URLs
		Run, % this.CliEscape(ChromePath)
		. " --remote-debugging-port=" this.DebugPort
		. (ProfilePath ? " --user-data-dir=" this.CliEscape(ProfilePath) : "")
		. (Flags ? " " Flags : "")
		. (URL ? " " this.CliEscape(URL) : "")
		,,, OutputVarPID
		this.PID := OutputVarPID
	}
	GetPageBy(Key, Value, MatchMode:="exact", Index:=1) {
		Count := 0
		for n, PageData in this.GetPageList()
		{
			if (((MatchMode = "exact" && PageData[Key] = Value) ; Case insensitive
				|| (MatchMode = "contains" && InStr(PageData[Key], Value))
				|| (MatchMode = "startswith" && InStr(PageData[Key], Value) == 1)
				|| (MatchMode = "regex" && PageData[Key] ~= Value))
				&& ++Count == Index)
				return new this.Page(PageData.webSocketDebuggerUrl, this.funcName)
		}
	}
	; Finds a running process chrome.exe with a parameter 'remote-debugging-port'
	FindStartedDEV() {
		findMe := "--remote-debugging-port=" . this.DebugPort
		for Item in ComObjGet( "winmgmts:" ).ExecQuery("Select * from Win32_Process") {
			if (Item.Name == "chrome.exe" && InStr(Item.Commandline, findMe))
				return true
		} return false
	}
	Class Page Extends Chrome.Page {
		__New(wsurl, funcName) {
			if (funcName) {
				this.e := New this.EventQueue(funcName)
				this.BoundKeepAlive := this.Call.Bind(this, "Browser.getVersion",, False)
			}
			; TODO: Throw exception on invalid objects
			if IsObject(wsurl)
				wsurl := wsurl.webSocketDebuggerUrl
			
			wsurl := StrReplace(wsurl, "localhost", "127.0.0.1")
			this.ws := {"base": this.WebSocket, "_Event": this.Event, "Parent": this}
			this.ws.__New(wsurl)
			
			while !this.Connected
				Sleep, 50
		}
		Event(EventName, Event) {
			; If it was called from the WebSocket adjust the class context
			if this.Parent
				this := this.Parent
			
			; TODO: Handle Error events
			if (EventName == "Open")
			{
				this.Connected := True
				BoundKeepAlive := this.BoundKeepAlive
				SetTimer, %BoundKeepAlive%, 15000
			}
			else if (EventName == "Message")
			{
				data := Chrome.Jxon_Load(Event.data)
				if (this.e && data.method == "Console.messageAdded" && (msg := data.params.message).level == "info")
					this.e.InsertEvent(msg.text)
				if this.responses.HasKey(data.ID)
					this.responses[data.ID] := data
			}
			else if (EventName == "Close")
			{
				this.Disconnect()
			}
		}
		Class EventQueue {
			__New(funcName) {
				this.eventStack := []
				this.ePop		:= ObjBindMethod(this, "_PopEvent")
				this.bFunction	:= Func(funcName)
			}
			InsertEvent(msg) {
				this.eventStack.InsertAt(1, msg)
				ePop := this.ePop
				SetTimer,% ePop, -10
			}
			_PopEvent() {
				while (this.eventStack.Length())
					this.bFunction.Call(this.eventStack.Pop())
			}
		}
	}
}
I hope, you will find this useful for improvement.
Last edited by KusochekDobra on 29 Apr 2018, 15:01, edited 2 times in total.
User avatar
jeeswg
Posts: 6902
Joined: 19 Dec 2016, 01:58
Location: UK

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

29 Apr 2018, 12:46

Here's a way to get the Chrome path. Cheers.

Code: Select all

q:: ;Chrome - get path
RegRead, vPath, HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows\CurrentVersion\App Paths\chrome.exe
MsgBox, % vPath
return
homepage | tutorials | wish list | fun threads | donate
WARNING: copy your posts/messages before hitting Submit as you may lose them due to CAPTCHA
User avatar
Xtra
Posts: 2744
Joined: 02 Oct 2015, 12:15

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

30 Apr 2018, 00:55

KusochekDobra wrote:After a little reflection, I wrote an a simple extension for the class Chrome, which eliminates the need to change the original code and supports the functionality described earlier.
You can shorten your class like this:

Code: Select all

Class ChromeEx Extends Chrome {
	__New(ProfilePath:="", URL:="about:blank", Flags:="", ChromePath:="", DebugPort:=9222, funcName := "") {
		this.funcName := funcName
        base.__New(ProfilePath, URL, Flags, ChromePath, DebugPort)
    }
    ; etc etc...
}
And then you would use:
myChromeEx := new ChromeEx("ChromeProfile")

You also dont need to add repeat code that is in chrome.ahk:
GetPageBy(Key, Value, MatchMode:="exact", Index:=1)
its in the base class and you have access to it already.

Give it a try.

HTH
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

30 Apr 2018, 20:34

Thank you, this is very much noticed! ;)
The method GetPageBy() is overridden, passing to the constructor Class Page two parameters.
And it does not have to be an extension. I would like to see this tool to be in the future part of the library and just to not clutter up the author's original code, it seemed useful, to take it beyond.
Stavencross
Posts: 90
Joined: 24 May 2016, 16:42

grabbing JSON from page

05 May 2018, 09:54

Really been digging in to this Lib, its so helpful! Just want to see if ya'll have a better way on how to scrape the JSON I've been grabbing from these pages. Here is my code:

Code: Select all

url := reportURL("campaignSpend",ServiceId)
ChromeInst := new Chrome("ChromeProfile", "http://google.com" ,"--headless")
PageInstance := ChromeInst.GetPage()
PageInstance.Call("Page.navigate", {"url": "" . url . ""})
ccLogin(PageInstance,url,userName,password)
ahkJSONObj := jsonGrabber(PageInstance,checkLogin,url)

for Index, Report in ahkJSONObj ;treat each key as index of the json obj`
	if (Report.reportingCost > 0) ;if ahkobj.reportingCost is greater than 0
	{
		advertising++ ;increase counter for msgbox
		campaignName := Report.campaignName
		spend := Report.reportingCost
		clicks := Report.clicks
		cpc := Round(Report.cpc,2)
		ctr := Round(Report.clickThroughRate * 100,2) . "`%"
		string := campaignName . "`nSpend: $" . spend . "`nClicks: " . clicks . "`nCostPerClick: $" . cpc . "`nClickThruRate: " . ctr . "`n"
		string2 := string . string2 ;string builder
	}
else
{
	noadvertising++ ;if index is <0 we don't want it to show
}

if(advertising > 0 ) ;if any campaign has spend, we want to show our built string
{
	FileAppend,%string2%,%A_scriptDir%\campaignSpend.txt
	
} 
else {
	
}

reportURL(reportType,ServiceId)
{
	if(reportType == "campaignSpend") 
	{		
		url := "https://apps.dealer.com/analytics/as/" . ServiceId . "/" . ServiceId . "-admin/api/adw/rest/1_0/query/adProviderMetrics?accountId=" . ServiceId . "&startDate=2018-04-01&endDate=2018-04-30&includeChildren=false&field=reportingCost&field=impressions&field=clicks&field=cpc&field=clickThroughRate&groupBy=campaignName&filter=rootChannel.eq.Search"
	}
}

ccLogin(PageInstance,url,userName,password) {
	PageInstance.WaitForLoad()	
	currentURL:= PageInstance.Evaluate("document.URL").value
	if(currentURL == "https://login.dealer.com/login?service=https%3A%2F%2Fapps.dealer.com%2Fsession%2Fj_spring_cas_security_check") 
	{
		PageInstance.Evaluate("document.getElementsByName('username')[0].value= '" . userName . "'")
		PageInstance.Evaluate("document.getElementsByName('password')[0].value= '" . password . "'")
		PageInstance.Evaluate("document.getElementsByName('_eventId_submit')[0].click();")
		PageInstance.WaitForLoad()	
		currentURL:= PageInstance.Evaluate("document.URL").value
		if(currentURL == url)
		{
			return true
		}
		else 
		{
			msgbox, There was an error logging into ControlCenter from the checkLogin function. Please try again
			return false
		}
	}
	else if(currentURL == url)
	{		
		return true
	}
	else 
	{
		return false
	}
	
}

jsonGrabber(PageInstance,checkLogin,url) {
	currentURL:= PageInstance.Evaluate("document.URL").value
	if(currentURL == url)
	{		
		PageInstance.WaitForLoad()
		jsonOBJ := PageInstance.Evaluate("document.body.innerHTML").value
		StringReplace,jsonOBJ,jsonOBJ,<pre style="word-wrap: break-word; white-space: pre-wrap;">,,1
		StringReplace,jsonOBJ,jsonOBJ,</pre>,,1
		ahkJSONObj := json_toobj(jsonOBJ)
		return ahkJSONObj
	}
	else
	{
		msgBox,There was an error logging into ControlCenter from the jsonGrabber function. Please try again
	}
	
}

;Returns JSON OBJ
/*
[
  {
    "campaignName": "Midland New Vehicles",
    "reportingCost": 452.92,
    "impressions": 3612,
    "clicks": 64,
    "cpc": 7.076875,
    "clickThroughRate": 0.017718715393134
  },
  {
    "campaignName": "Holiday Ford (ddc)",
    "reportingCost": 2905.01,
    "impressions": 10604,
    "clicks": 512,
    "cpc": 5.67384765625,
    "clickThroughRate": 0.048283666540928
    }
]

If you check jsonGrabber(), you'll see I'm grabbing the JSON from the page DOM. I grab the innerHTML of the page, and run strReplace to get rid of the <pre> tags. I thought I'd see if ya'll had a better way to accomplish this as it feels dirty. I'm also open to any other code optimizations you could throw my way. I've been working on my coding skills a lot in the last 6 months and I know I really need to start pushing myself to write better & more modular code
maitresin
Posts: 45
Joined: 20 Mar 2018, 19:33

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

05 May 2018, 20:51

Hi,

I got 2 questions:

1-How I could save my profil and cookies? I mean if I log into a website I want to be able to launch this chrome and still be logged in my account.
2-How I could download an .html page like the exemple .pdf but .html. It also need to be save cookies and keep connection active for downloading the .html from my account (which is only downloadable from account).

Thanks!
geek
Posts: 1052
Joined: 02 Oct 2013, 22:13
Location: GeekDude
Contact:

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

08 May 2018, 14:44

Shadowpheonix
Shadowpheonix wrote:For some reason, I cannot seem to use Chrome.GetPageByTitle("page title"). When I try, it always fails to retrieve the page. :(
Completely my fault. I forgot to return the page found in that helper function (also GetPageByURL). It will be fixed in the next release.



KusochekDobra

KusochekDobra, I am going to break down my replies to your posts into a numbered list for easier reference.


# 1
KusochekDobra wrote:If under the control of the script will be several pages and all of them will be send a messages, then we need implement the concept of the event stack for make a manage all of them without transmittance.
I am not sure what you mean by the word "transmittance". From context I think it means something like blocking the event listener thread?

Would you be able to produce some code that demonstrates the problem which is solved by implementing your own event queue? From my tests things act more or less the same both with and without using the queue. (replacing this.e.InsertEvent(msg.text) with this.e.bFunction.Call(msg.text). The code I used to test is shown below.

Code: Select all

; After creating an instance of chrome with two tabs of about:blank, and the callback "Callback"

Page1 := ChromeInst.GetPage(1)
Page2 := ChromeInst.GetPage(2)

if (!Page1 || !Page2)
	throw Exception("Coudln't load pages")

Page1.Call("Console.enable")
Page2.Call("Console.enable")

Page1.Evaluate("setInterval(function(){ console.info('page1'); }, 1000);")
Page2.Evaluate("setInterval(function(){ console.info('page2'); }, 1000);")
return

Callback(Event)
{
	MsgBox, % Event
}
# 2

Code: Select all

	; Finds a running process chrome.exe with a parameter 'remote-debugging-port'
	FindStartedDEV() {
		findMe := "--remote-debugging-port=" . this.DebugPort
		for Item in ComObjGet( "winmgmts:" ).ExecQuery("Select * from Win32_Process") {
			if (Item.Name == "chrome.exe" && InStr(Item.Commandline, findMe))
				return true
		} return false
	}
In what context do you use FindStartedDEV? It looks like it could be useful but I'm not sure how.
I might want to adapt this into a utility function that returns a list of ports for chrome instances running the debug protocol.


# 3

Code: Select all

			if (funcName) {
				this.e := New this.EventQueue(funcName)
				this.BoundKeepAlive := this.Call.Bind(this, "Browser.getVersion",, False)
			}
Why is BoundedKeepAlive now conditional?


# 4

Code: Select all

				if (this.e && data.method == "Console.messageAdded" && (msg := data.params.message).level == "info")
					this.e.InsertEvent(msg.text)
Why limit callbacks to only console.info() messages? There are other callbacks that could be useful to a user such as Page.frameNavigated or messages generated by console.log.


# 5

Code: Select all

			InsertEvent(msg) {
				this.eventStack.InsertAt(1, msg)
				ePop := this.ePop
				SetTimer,% ePop, -10
			}
Setting a timer for a class method function increases the reference count, meaning that the class cannot be garbage collected until that timer is deleted. Your queue function doesn't appear to have a method for removing this timer, so as the script connects to and disconnects from pages it will slowly leak memory.

My suggestion would be to modify _PopEvent() so that, before the while loop it calls SetTimer,% ePop, Delete. This way the timer will be deleted and the reference count will go down whenever the timer is no longer needed.



Stavencross
Stavencross wrote:Really been digging in to this Lib, its so helpful! Just want to see if ya'll have a better way on how to scrape the JSON I've been grabbing from these pages. Here is my code:

*snip*

If you check jsonGrabber(), you'll see I'm grabbing the JSON from the page DOM. I grab the innerHTML of the page, and run strReplace to get rid of the <pre> tags. I thought I'd see if ya'll had a better way to accomplish this as it feels dirty. I'm also open to any other code optimizations you could throw my way. I've been working on my coding skills a lot in the last 6 months and I know I really need to start pushing myself to write better & more modular code
It's hard to say without access to the actual page, but I would bet that grabbing from document.body.innerText would work better for you than document.body.innerHTML



maitresin
maitresin wrote:Hi,

I got 2 questions:

1-How I could save my profil and cookies? I mean if I log into a website I want to be able to launch this chrome and still be logged in my account.
2-How I could download an .html page like the exemple .pdf but .html. It also need to be save cookies and keep connection active for downloading the .html from my account (which is only downloadable from account).

Thanks!
  1. If you use the same profile folder each time the cookies will persist. You could start a chrome instance using that profile, log in manually, then use the script to do things after you've logged in. Alternatively, you could automate the login process so it logs in automatically. Also, if there isn't already a non-debug chrome instance running under the default profile, you could use this library to start a debug instance with the default profile and it should just work.
  2. If you just need the source of a particular page, such as is shown when you press control-u on a webpage, you should be able to access it with PageInst.Evaluate("document.children[0].outerHTML").value. If you need the entire page plus its resources, such as is downloaded when you press control-s on a webpage, I'm not sure if that's possible from this interface.
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

08 May 2018, 19:00

#1
In fact, it was just a guess witch I did not bother checking, and now I look like a fool. Apparently, somewhere in the implementation, this method has already been created. Thank you for this clarification.
But for greater reliability, it can come in handy. :)

#2
I use for automatic understanding, connect me to an already existing process, or create a new connection. For example:

Code: Select all

if (Chrome.FindStartedDEV()) {
	ChromeInst := Chrome
	ChromeInst.DebugPort := 9222
	ChromeInst.funcName := funcName
} else
	ChromeInst := new Chrome(ProfilePath,,Flags,,,funcName)
#3
Sorry, this code-line got there by accident. Usually I write the code late at night and because of what I make such stupid mistakes.

#4
This decision seemed useful. console.log() I use for debug on the page in browser.

#5
As it turned out in #1, it is not necessary, but thanks for the clarification. I still do not know much, so I can not apply knowledge correctly.

The result:
I really liked your idea, use such a functional approach to automate the browser, instead of COM. And I also wanted to see how this project develops, getting new opportunities, so I just try to be useful in my unindifference. You can use all the examples for your own purposes and describe them at your own discretion. You have more experience and I am sure that you will do it right! :thumbup:
geek
Posts: 1052
Joined: 02 Oct 2013, 22:13
Location: GeekDude
Contact:

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

09 May 2018, 08:48

KusochekDobra wrote:I really liked your idea, use such a functional approach to automate the browser, instead of COM. And I also wanted to see how this project develops, getting new opportunities, so I just try to be useful in my unindifference. You can use all the examples for your own purposes and describe them at your own discretion. You have more experience and I am sure that you will do it right! :thumbup:
Thank you for the response and for the kind words. I appreciate your enthusiasm and hard work! :bravo:

Your code was well designed and shows a good understanding of the concepts, even if a few parts were missed. Thanks to your work and ideas, you can expect to see event handling and callbacks implemented in the next release.
geek
Posts: 1052
Joined: 02 Oct 2013, 22:13
Location: GeekDude
Contact:

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

09 May 2018, 21:25

Chrome.ahk v1.2 has been released

Please see the original post for a link to the release and revision history pages.

Changes
Additions
  • Added support for an array of URLs in class Chrome's constructor.
  • Added support for event callbacks by passing a function to the Chrome.GetPage methods. Thanks KusochekDobra!
  • Added method Chrome.FindInstances to look for preexisting Chrome instances. Thanks KusochekDobra!
  • Added new example script EventCallbacks.ahk demonstrating JS callbacks to AHK.
PoorInRichfield
Posts: 5
Joined: 01 May 2018, 16:50

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

10 May 2018, 08:49

First off, thank you GeekDude for this script! Using a modern browser like Chrome is so much better than struggling with IE and COM.

I have one small suggestion. I've been using the Evaluate(JS) method for most of the work I'm doing. However, when this method call bombs because the JavaScript fails, the exception message isn't very helpful as it's usually describing a line of code in your Chrome.ahk file and not the JavaScript that caused the issue. My solution to this is to simply add the JS variable to the second parameter in the Exception object...

Code: Select all

Evaluate(JS)
{
	response := this.Call("Runtime.evaluate",
	( LTrim Join
	{
		"expression": JS,
		"objectGroup": "console",
		"includeCommandLineAPI": Chrome.Jxon_True(),
		"silent": Chrome.Jxon_False(),
		"returnByValue": Chrome.Jxon_False(),
		"userGesture": Chrome.Jxon_True(),
		"awaitPromise": Chrome.Jxon_False()
	}
	))
	
	if (response.exceptionDetails)
		throw Exception(response.result.description, JS, Chrome.Jxon_Dump(response.exceptionDetails))
	
	return response.result
}
geek
Posts: 1052
Joined: 02 Oct 2013, 22:13
Location: GeekDude
Contact:

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

10 May 2018, 12:13

PoorInRichfield wrote:First off, thank you GeekDude for this script! Using a modern browser like Chrome is so much better than struggling with IE and COM.
You're welcome! It's great to hear that people are finding my work useful.
PoorInRichfield wrote:I have one small suggestion. I've been using the Evaluate(JS) method for most of the work I'm doing. However, when this method call bombs because the JavaScript fails, the exception message isn't very helpful as it's usually describing a line of code in your Chrome.ahk file and not the JavaScript that caused the issue. My solution to this is to simply add the JS variable to the second parameter in the Exception object...
Although that's not exactly what that parameter is supposed to be used for, your proof of concept gave me an idea. It's possible to create your own exception objects without using the Exception() function, or by basing them off the function. What if we set the What parameter to -1 (meaning it will show the error for your call to PageInst.Evaluate() rather than my call to throw Exception) and then add our own field Code to hold the appropriate JS code? For example:

Code: Select all

; Chrome.ahk
if (response.exceptionDetails)
	throw {"base": Exception(response.result.description
		, -1, Chrome.Jxon_Dump(response.exceptionDetails))
		, "Code": JS}

Code: Select all

; InjectJS.ahk example script
try
	Result := PageInst.Evaluate(JS)
catch e
{
	MsgBox, % "Exception encountered in " e.What ":`n`n"
	. e.Message "`n`n"
	. "In code:`n`n" e.Code "`n`n"
	. "Specifically:`n`n"
	. Chrome.Jxon_Dump(Chrome.Jxon_Load(e.Extra), "`t")
	
	continue
}
The effect of -1 is visible if you don't catch the error and let it go straight to the screen.



Another idea I had, which you may or may not like better, would be to augment the Extra parameter to include the code.

Code: Select all

if (response.exceptionDetails)
	throw Exception(response.result.description, -1
		, Chrome.Jxon_Dump({"Code": JS
		, "exceptionDetails": response.exceptionDetails}))

Finally, I think it might be nice to add a utility function to Chrome.ahk for interpreting the exceptions it displays it in a nice dialog that shows the line numbers, the line on which the error occurred, etc. like AHK's built in.

Code: Select all

try
	PageInst.Evaluate(JS)
catch e
	Chrome.DisplayError(e) ; or, depending on how it is implemented, e.Display()

What do you think?
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

10 May 2018, 12:55

It will be very powerful instrument! :)

In "Source code (zip)" - link => in "Chrome.ahk" file => in 72 code-line have a one missing letter "t" (...\App Pahs\chrome.exe).
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

12 May 2018, 19:50

Can I ask you to add the name of the function to the constructor of class Page by the third parameter, which will be called when the connection is broken?
For example:

Code: Select all

__New(wsurl, fnCallback:="", freeFunc := "")
{
	this.fnCallback := fnCallback
	this.freeFunc := freeFunc
	this.BoundKeepAlive := this.Call.Bind(this, "Browser.getVersion",, False)
	; ... other code
}

; ... other code
Event(EventName, Event)
{
	; ... other code
	else if (EventName == "Close")
	{
		this.Disconnect()
		freeFunc := this.freeFunc
		%freeFunc%()
	}
}
I make a simple wrapper for use in the program and concluded that it would be convenient to remove data about an unused connection from the object of this wrapper because of a disconnection that may occur if the user closes the tab.
Example:

Code: Select all

pageSettings := {"google": {"funcName": "GoogleMsgFunc"}
				, "autohotkey": {"funcName": "AhkMsgFunc"}}
oPager := New Pager(ProfilePath, pageSettings, ["https://www.google.ru/","about:blank", "https://autohotkey.com/"])
Class Pager {
	__New(ProfilePath, pageSettings, URLs := "about:blank") {
		this.tabs := {}, this.page := "", this.ProfilePath := ProfilePath
		this.pageSettings := pageSettings
		this.ChromeInst := Chrome.FindInstances() ? {"base": Chrome, "DebugPort": 9222} : new Chrome(ProfilePath,URLs,"--no-first-run")
		this.GetTabs()
	}
	GetTabs() {
		pageIndex := 1
		for i, obj in this.ChromeInst.GetPageList() {
			if ( obj.type == "page" ) {
				if ( !this.tabs.HasKey(page := this.GetDomainName(obj.url)) ) {
					bindFunc := this.pageSettings.HasKey(page)
					this.tabs[page] := { "pInst": New this.ChromeInst.Page(obj.webSocketDebuggerUrl, bindFunc ? Func(this.pageSettings[page].funcName) : "", ObjBindMethod(this,"FreeConnection")), "title": obj.title, "id": obj.id, "root": "" }
					(bindFunc && this.tabs[page].pInst.Call("Console.enable"))
				} (pageIndex++ == 1 && this.page := page)
			}
		}
	}
	FreeConnection() {
		for k, t in this.tabs
			if (!t.pInst.Connected)
				this.tabs.Delete(k)
		this.GetTabs()
	}
	GetDomainName(d, Title := false) {
		return RegExReplace(d, "https?\W{3}?(\w{1,5}\.)?(\w*)(.*)", !Title ? "$2" : "$t2")
	}
	; ... other code
}
I hope this request does not look like impudence.
And thank you very much for your hard work!
Beautiful code and maximum efficiency! :bravo:
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

14 May 2018, 08:51

Sometimes, when creating an instance of a class Chrome, passing an address to the constructor, the method WaitForLoad() returns flow control before the page loads:

Code: Select all

#NoEnv
#SingleInstance, Force
#Include Chrome.ahk
SetBatchLines, -1

JS := "alert(document.querySelector('.rightside .nav-link').textContent);"
; >>--++--<<  >>--++--<<
	ProfilePath := "ChromeProfile"
	ahkAddr		:= "https://autohotkey.com/boards/"
; >>--++--<<  >>--++--<<
IfNotExist,% ProfilePath
{
	FileCreateDir,% ProfilePath
}
ChromeInst := new Chrome(ProfilePath, ahkAddr)

if !(PageInst := ChromeInst.GetPage())
{
	MsgBox, Could not retrieve page!
	ChromeInst.Kill()
}
else
{
	PageInst.WaitForLoad()
	try
		Result := PageInst.Evaluate(JS)
	catch e
	{
		MsgBox, % "Exception encountered in " e.What ":`n`n"
		. e.Message "`n`n"
		. "Specifically:`n`n"
		. Chrome.Jxon_Dump(Chrome.Jxon_Load(e.Extra), "`t")
	}
	MsgBox, % "Result:`n" Chrome.Jxon_Dump(Result, "`t")
	
	; --- Close the Chrome instance ---
	
	try
		PageInst.Call("Browser.close") ; Fails when running headless
	catch
		ChromeInst.Kill()
	PageInst.Disconnect()
}

ExitApp
return
This can be circumvented by creating an instance of the class without an address, followed by a transition PageInst.Call("Page.navigate", {"url": address}) and PageInst.WaitForLoad(), but is there any way to do without it?
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

14 May 2018, 10:35

And another question. Is it possible to replace this exception:

Code: Select all

Call(DomainAndMethod, Params:="", WaitForResponse:=True)
{
	if !this.Connected
		throw Exception("Not connected to tab")
		
		; ... other code
}
To return a connection to the state "disabled"?

I think that this is logical, if all the tabs are closed, then you need to create a new connection, reinitializing the instance of the class Chrome. Instead, there is a constant call "Runtime.evaluate" without parameters, and the program terminates its work after the exception message.
KusochekDobra
Posts: 38
Joined: 25 Apr 2016, 18:00

Re: [Library] Chrome.ahk - Automate Google Chrome using native AutoHotkey. No Selenium!

15 May 2018, 12:24

Is it possible to connect to events such as Target.targetCreated? This feature would reduce the possibility of errors, telling the ahk-code what him need to create a new connection.

Return to “Scripts and Functions (v1)”

Who is online

Users browsing this forum: JoeWinograd, TOTAL and 140 guests