Topics
Replies
pick
09 Mar 2023, 16:39
RE: RE: RE: RE:
yaghouti said:
pick said:
yaghouti said:
pick said:
Does your bot have full access rights?
[Robot(TimeZone = TimeZones.UTC, AccessRights = AccessRights.FullAccess)] public class YourBot : Robot {
thanks alot, i changed the accessright to fullaccess and that problem solved but unfortunately i get new erro:
09/03/2023 15:36:36.527 | CBot instance [Sample Hotkey Trading, AUDUSD, h1] crashed with error "Crashed in OnStart with SharpDXException: HRESULT: [0x80040154], Module: [SharpDX.DirectInput], ApiCode: [DIERR_DEVICENOTREG/DeviceNotRegistered], Message: Class not registered "
error refers to this part of code:
protected override void OnStart()
{
directInput = new DirectInput();
var joystickGuid = Guid.Empty;
foreach (var deviceInstance in directInput.GetDevices(DeviceType.Gamepad, DeviceEnumerationFlags.AllDevices))
{
joystickGuid = deviceInstance.InstanceGuid;
}joystick = new Joystick(directInput, joystickGuid);/////////////////////<<<<<<<<<<here is the error
joystick.Properties.BufferSize = 128;
joystick. Acquire();}
Is your "joystickGuid" variable still empty after that for loop? I have not used this library before, but that's what I would check first.
A quick search found this, if you look here, they are searching for DeviceType.Joystick if there is no result for DeviceType.Gamepad
thank you very much for your guide.
the problem solved and i can read the joystick keys in the cbot but one last question, i use onTick to trigger the key press which is not suitable, i want to get trigger as soon as user press any key on the joystick, how can i solve this problem?
I'm not familiar with the library - are there any events that you can consume for a key press? If not, you could always query it on a timer.
@pick
pick
09 Mar 2023, 14:23
RE: RE:
yaghouti said:
pick said:
Does your bot have full access rights?
[Robot(TimeZone = TimeZones.UTC, AccessRights = AccessRights.FullAccess)] public class YourBot : Robot {
thanks alot, i changed the accessright to fullaccess and that problem solved but unfortunately i get new erro:
09/03/2023 15:36:36.527 | CBot instance [Sample Hotkey Trading, AUDUSD, h1] crashed with error "Crashed in OnStart with SharpDXException: HRESULT: [0x80040154], Module: [SharpDX.DirectInput], ApiCode: [DIERR_DEVICENOTREG/DeviceNotRegistered], Message: Class not registered "
error refers to this part of code:
protected override void OnStart()
{
directInput = new DirectInput();
var joystickGuid = Guid.Empty;
foreach (var deviceInstance in directInput.GetDevices(DeviceType.Gamepad, DeviceEnumerationFlags.AllDevices))
{
joystickGuid = deviceInstance.InstanceGuid;
}joystick = new Joystick(directInput, joystickGuid);/////////////////////<<<<<<<<<<here is the error
joystick.Properties.BufferSize = 128;
joystick. Acquire();}
Is your "joystickGuid" variable still empty after that for loop? I have not used this library before, but that's what I would check first.
A quick search found this, if you look here, they are searching for DeviceType.Joystick if there is no result for DeviceType.Gamepad
@pick
pick
08 Mar 2023, 11:43
The issue is that you aren't storing a value for each index. Within each if block, you're only choosing to assign the value to one of the two series, so the other will be unpopulated. Also, I can imagine there will be cases where neither if block is entered (if close prices are equal), so both will be unpopulated at that index.
I believe that it may also be an issue that you're not setting the current index, you're always setting the one prior. I believe the sum function goes up to and includes the final value.
Try this change and see if you get a usable result:
public override void Calculate(int index)
{
//
HLGreenBars[index] = 0;
HLRedBars[index] = 0;
//
if (index > lastIndex)
{
@pick
pick
07 Mar 2023, 11:58
As your error states, you're not providing the correct number of parameters to the indicator.
In your bot:
_SRZones = Indicators.GetIndicator<SRZones>(...parameters go here...);
Look at this very simple example:
Indicator:
public class TestIndicator : Indicator
{
//First parameter
[Parameter("AddParam", DefaultValue = 5)]
public int addParam { get; set; }
//Second parameter
[Parameter("MinusParam", DefaultValue = 5)]
public int minusParam { get; set; }
//First output
[Output("OutputLow")]
public IndicatorDataSeries outputLow { get; set; }
//Second output
[Output("OutputHigh")]
public IndicatorDataSeries outputHigh { get; set; }
protected override void Initialize()
{
}
public override void Calculate(int index)
{
outputLow[index] = Bars[index].Low - minusParam; //Calculate output
outputHigh[index] = Bars[index].High + addParam; //Calculate output
}
}
Bot consuming above indicator:
public class TestBot : Robot
{
TestIndicator testIndicator;
int add = 2;
int minus = 5;
protected override void OnStart()
{
testIndicator = Indicators.GetIndicator<TestIndicator>(add, minus); //Init indicator with parameters
}
protected override void OnTick()
{
base.OnTick();
Print($"testIndicator low: {testIndicator.outputLow[0]}, bars low: {Bars[0].Low}"); //Accessing indicator output
Print($"testIndicator high: {testIndicator.outputHigh[0]}, bars high: {Bars[0].High}"); //Accessing indicator output
}
}
@pick
pick
23 Feb 2023, 17:43
RE: RE:
jaydcrowe1989 said:
pick said:
If you can provide the file and proof that it is your intellectual property, I'd be happy to have a look.
Of course. How would you like me to provide proof? I was under the impression that I couldn't get it back so I've deleted the source code out of my git repo, as it was way out of date and didn't work.
Are you able to provide how you might reverse engineer it?
Are there any libraries referenced that would relate to you? Any namespaces / class names?
@pick
pick
03 Nov 2022, 11:49
Like the user above, I'm unsure as to why you require it to be a while loop.
There are many options for what it sounds like you're looking to achieve.
The second statement in a for loop is a boolean check, for example you could do something like this:
bool found = false;
for (int i = startIndex; !found; i--)
{
if (stoch[i] > 95 || stoch[i] < 5)
found = true;
}
Ideally, you should identify the bounds of the loop, but you can combine that check:
bool found = false;
for (int i = startIndex; i >= 0 && !found; i--)
{
if (stoch[i] > 95 || stoch[i] < 5)
found = true;
}
However, if you really do require it to be a while loop, here's a simple example:
bool found = false;
int i = startIndex;
while (!found)
{
if (stoch[i] > 95 || stoch[i] < 5)
found = true;
i--;
}
Just be cautious to not get stuck in an infinite loop, or access invalid indices from collections.
@pick
pick
20 Oct 2022, 18:12
First of all, you need to re-assess your SwitchType method:
You are first setting SellOrBuy to false if it is true, then afterwards, if it is false (which it would be if the first operation was ran): you're setting it back to true.
This function can be improved by simply:
private void SwitchType()
{
SellOrBuy = !SellOrBuy;
}
For your placement of the button: have you tried lowering the margin? As I understand: it is pushed away from the alignment given - so 300 margin would be 300 units away from the bottom right in both x&y. Try reducing it to 10, then fiddling around with the horizontal and vertical alignment until you understand how it's drawing.
For your button functionality: you should only subscribe to an event once - do this in the initialisation, not in the calculate method.
On top of that, from what I skim-read, you do not appear to be recalculating the indicator values when you change mode.
@pick
pick
20 Oct 2022, 12:29
All of your variables there are localised to the scope of the OnBar method. You want the values to persist between method calls; therefore they need to be defined outside of the method. I won't edit your logic, but this should get you closer to where you want to be:
double hi = double.MinValue;
double lo = double.MaxValue;
var tradingStarts = System.TimeSpan.ParseExect(SessionStart, "hh\\:mm", null);
var tradingStops = System.TimeSpan.ParseExect(SessionEnd, "hh\\:mm", null);
protected override void OnBar()
{
double srcHi = Bars.HighPrices.Last(1);
double srcLo = Bars.LowPrices.Last(1);
if (Server.Time.TimeOfDay >= tradingStarts && Server.Time.TimeOfDay < tradingStops)
{
hi = Math.Max(srcHi, hi);
lo = Math.Min(srcLo, lo);
}
Print(hi);
Print(lo);
}
@pick
pick
20 Oct 2022, 11:25
RE:
freemoniescapital said:
Hi Panagiotis,
Appreciate your response and apologies for the late reply. If I understand correctly, is the following code correct?
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using cAlgo.API;
using cAlgo.API.Collections;
using cAlgo.API.Indicators;
using cAlgo.API.Internals;
namespace cAlgo.Robots
{
[Robot(AccessRights = AccessRights.None)]
public class TEST : Robot
{
protected override void OnStart()
{
PRINTINGCLASS printingClass = new(this);
printingClass.Print(this);
}
protected override void OnTick()
{
}
protected override void OnStop()
{
}
public class PRINTINGCLASS
{
public PRINTINGCLASS(Algo algo)
{
algo.Print("Hello");
}
public void Print(Algo algo)
{
algo.Print("Hello");
}
}
}
}Is there a way to do this without having to pass Algo as a method argument?
Thanks!
Personally, I would approach it more like this: having a static instance of the helper class.
public class TEST : Robot
{
protected override void OnStart()
{
new AlgoHelper(this);
AlgoHelper.getInstance().print("start");
}
protected override void OnTick()
{
AlgoHelper.getInstance().print("tick");
}
protected override void OnStop()
{
AlgoHelper.getInstance().print("stop");
}
}
public class AlgoHelper
{
private static AlgoHelper thisInstance;
private Algo algo;
public AlgoHelper(Algo a)
{
thisInstance = this;
algo = a;
}
public static AlgoHelper getInstance()
{
return thisInstance;
}
public void print(string s)
{
algo.print(s);
//You may want to ensure it runs in main thread:
/*
algo.BeginInvokeOnMainThread(() =>
{
algo.print(s);
});
*/
}
}
You could make the algo variable publicly gettable and access that from any other utility class you may create. However - be warned - you cannot use this solution if you are running two instances of the same indicator on the same chart - as it seems they share an environment.
@pick
pick
04 Oct 2022, 17:27
RE:
PanagiotisChar said:
Hi pick,
.algo files are encrypred but obviously there is a limit to what you can do with an IL based dll file. If your work is so important, you should consider other solutions.
Need Help? Join us on Telegram
That's a shame, but understandable. Thank you for clarifying.
@pick
pick
13 Mar 2023, 12:37
There is a variable for pips. Or you could calculate it manually from "EntryPrice" and "ClosingPrice" from the HistoricalTrade interface.
@pick