Add delete backtests by filters
This commit is contained in:
@@ -118,6 +118,100 @@ public class BacktestController : BaseController
|
|||||||
return Ok(await _backtester.DeleteBacktestsByIdsForUserAsync(user, request.BacktestIds));
|
return Ok(await _backtester.DeleteBacktestsByIdsForUserAsync(user, request.BacktestIds));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Deletes backtests based on filter criteria for the authenticated user.
|
||||||
|
/// Uses the same filter parameters as GetBacktestsPaginated.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="scoreMin">Minimum score filter (0-100)</param>
|
||||||
|
/// <param name="scoreMax">Maximum score filter (0-100)</param>
|
||||||
|
/// <param name="winrateMin">Minimum winrate filter (0-100)</param>
|
||||||
|
/// <param name="winrateMax">Maximum winrate filter (0-100)</param>
|
||||||
|
/// <param name="maxDrawdownMax">Maximum drawdown filter</param>
|
||||||
|
/// <param name="tickers">Comma-separated list of tickers to filter by</param>
|
||||||
|
/// <param name="indicators">Comma-separated list of indicators to filter by</param>
|
||||||
|
/// <param name="durationMinDays">Minimum duration in days</param>
|
||||||
|
/// <param name="durationMaxDays">Maximum duration in days</param>
|
||||||
|
/// <param name="name">Name contains filter</param>
|
||||||
|
/// <returns>An ActionResult indicating the number of backtests deleted.</returns>
|
||||||
|
[HttpDelete("ByFilters")]
|
||||||
|
public async Task<ActionResult> DeleteBacktestsByFilters(
|
||||||
|
[FromQuery] double? scoreMin = null,
|
||||||
|
[FromQuery] double? scoreMax = null,
|
||||||
|
[FromQuery] int? winrateMin = null,
|
||||||
|
[FromQuery] int? winrateMax = null,
|
||||||
|
[FromQuery] decimal? maxDrawdownMax = null,
|
||||||
|
[FromQuery] string? tickers = null,
|
||||||
|
[FromQuery] string? indicators = null,
|
||||||
|
[FromQuery] double? durationMinDays = null,
|
||||||
|
[FromQuery] double? durationMaxDays = null,
|
||||||
|
[FromQuery] string? name = null)
|
||||||
|
{
|
||||||
|
var user = await GetUser();
|
||||||
|
|
||||||
|
// Validate score and winrate ranges [0,100]
|
||||||
|
if (scoreMin.HasValue && (scoreMin < 0 || scoreMin > 100))
|
||||||
|
{
|
||||||
|
return BadRequest("scoreMin must be between 0 and 100");
|
||||||
|
}
|
||||||
|
if (scoreMax.HasValue && (scoreMax < 0 || scoreMax > 100))
|
||||||
|
{
|
||||||
|
return BadRequest("scoreMax must be between 0 and 100");
|
||||||
|
}
|
||||||
|
if (winrateMin.HasValue && (winrateMin < 0 || winrateMin > 100))
|
||||||
|
{
|
||||||
|
return BadRequest("winrateMin must be between 0 and 100");
|
||||||
|
}
|
||||||
|
if (winrateMax.HasValue && (winrateMax < 0 || winrateMax > 100))
|
||||||
|
{
|
||||||
|
return BadRequest("winrateMax must be between 0 and 100");
|
||||||
|
}
|
||||||
|
|
||||||
|
if (scoreMin.HasValue && scoreMax.HasValue && scoreMin > scoreMax)
|
||||||
|
{
|
||||||
|
return BadRequest("scoreMin must be less than or equal to scoreMax");
|
||||||
|
}
|
||||||
|
if (winrateMin.HasValue && winrateMax.HasValue && winrateMin > winrateMax)
|
||||||
|
{
|
||||||
|
return BadRequest("winrateMin must be less than or equal to winrateMax");
|
||||||
|
}
|
||||||
|
if (maxDrawdownMax.HasValue && maxDrawdownMax < 0)
|
||||||
|
{
|
||||||
|
return BadRequest("maxDrawdownMax must be greater than or equal to 0");
|
||||||
|
}
|
||||||
|
|
||||||
|
// Parse multi-selects if provided (comma-separated)
|
||||||
|
var tickerList = string.IsNullOrWhiteSpace(tickers)
|
||||||
|
? Array.Empty<string>()
|
||||||
|
: tickers.Split(',', StringSplitOptions.RemoveEmptyEntries | StringSplitOptions.TrimEntries);
|
||||||
|
var indicatorList = string.IsNullOrWhiteSpace(indicators)
|
||||||
|
? Array.Empty<string>()
|
||||||
|
: indicators.Split(',', StringSplitOptions.RemoveEmptyEntries | StringSplitOptions.TrimEntries);
|
||||||
|
|
||||||
|
var filter = new BacktestsFilter
|
||||||
|
{
|
||||||
|
NameContains = string.IsNullOrWhiteSpace(name) ? null : name.Trim(),
|
||||||
|
ScoreMin = scoreMin,
|
||||||
|
ScoreMax = scoreMax,
|
||||||
|
WinrateMin = winrateMin,
|
||||||
|
WinrateMax = winrateMax,
|
||||||
|
MaxDrawdownMax = maxDrawdownMax,
|
||||||
|
Tickers = tickerList,
|
||||||
|
Indicators = indicatorList,
|
||||||
|
DurationMin = durationMinDays.HasValue ? TimeSpan.FromDays(durationMinDays.Value) : (TimeSpan?)null,
|
||||||
|
DurationMax = durationMaxDays.HasValue ? TimeSpan.FromDays(durationMaxDays.Value) : (TimeSpan?)null
|
||||||
|
};
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
var deletedCount = await _backtester.DeleteBacktestsByFiltersAsync(user, filter);
|
||||||
|
return Ok(new { DeletedCount = deletedCount });
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
return StatusCode(500, $"Error deleting backtests: {ex.Message}");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Retrieves all backtests for a specific genetic request ID.
|
/// Retrieves all backtests for a specific genetic request ID.
|
||||||
/// This endpoint is used to view the results of a genetic algorithm optimization.
|
/// This endpoint is used to view the results of a genetic algorithm optimization.
|
||||||
|
|||||||
@@ -41,6 +41,7 @@ public interface IBacktestRepository
|
|||||||
Task DeleteBacktestsByIdsForUserAsync(User user, IEnumerable<string> ids);
|
Task DeleteBacktestsByIdsForUserAsync(User user, IEnumerable<string> ids);
|
||||||
void DeleteAllBacktestsForUser(User user);
|
void DeleteAllBacktestsForUser(User user);
|
||||||
Task DeleteBacktestsByRequestIdAsync(Guid requestId);
|
Task DeleteBacktestsByRequestIdAsync(Guid requestId);
|
||||||
|
Task<int> DeleteBacktestsByFiltersAsync(User user, BacktestsFilter filter);
|
||||||
|
|
||||||
// Bundle backtest methods
|
// Bundle backtest methods
|
||||||
void InsertBundleBacktestRequestForUser(User user, BundleBacktestRequest bundleRequest);
|
void InsertBundleBacktestRequestForUser(User user, BundleBacktestRequest bundleRequest);
|
||||||
|
|||||||
@@ -82,6 +82,7 @@ namespace Managing.Application.Abstractions.Services
|
|||||||
string sortOrder = "desc",
|
string sortOrder = "desc",
|
||||||
BacktestsFilter? filter = null);
|
BacktestsFilter? filter = null);
|
||||||
Task<bool> DeleteBacktestsByRequestIdAsync(Guid requestId);
|
Task<bool> DeleteBacktestsByRequestIdAsync(Guid requestId);
|
||||||
|
Task<int> DeleteBacktestsByFiltersAsync(User user, BacktestsFilter filter);
|
||||||
|
|
||||||
// Bundle backtest methods
|
// Bundle backtest methods
|
||||||
void InsertBundleBacktestRequestForUser(User user, BundleBacktestRequest bundleRequest);
|
void InsertBundleBacktestRequestForUser(User user, BundleBacktestRequest bundleRequest);
|
||||||
|
|||||||
@@ -416,6 +416,19 @@ namespace Managing.Application.Backtests
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public async Task<int> DeleteBacktestsByFiltersAsync(User user, BacktestsFilter filter)
|
||||||
|
{
|
||||||
|
try
|
||||||
|
{
|
||||||
|
return await _backtestRepository.DeleteBacktestsByFiltersAsync(user, filter);
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
_logger.LogError(ex, "Failed to delete backtests by filters for user {UserId}", user.Id);
|
||||||
|
throw;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
public (IEnumerable<LightBacktest> Backtests, int TotalCount) GetBacktestsByUserPaginated(
|
public (IEnumerable<LightBacktest> Backtests, int TotalCount) GetBacktestsByUserPaginated(
|
||||||
User user,
|
User user,
|
||||||
int page,
|
int page,
|
||||||
|
|||||||
@@ -379,6 +379,63 @@ public class PostgreSqlBacktestRepository : IBacktestRepository
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public async Task<int> DeleteBacktestsByFiltersAsync(User user, BacktestsFilter filter)
|
||||||
|
{
|
||||||
|
var baseQuery = _context.Backtests
|
||||||
|
.AsTracking()
|
||||||
|
.Where(b => b.UserId == user.Id);
|
||||||
|
|
||||||
|
if (filter != null)
|
||||||
|
{
|
||||||
|
if (!string.IsNullOrWhiteSpace(filter.NameContains))
|
||||||
|
{
|
||||||
|
var nameLike = $"%{filter.NameContains.Trim()}%";
|
||||||
|
baseQuery = baseQuery.Where(b => EF.Functions.ILike(b.Name, nameLike));
|
||||||
|
}
|
||||||
|
if (filter.ScoreMin.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.Score >= filter.ScoreMin.Value);
|
||||||
|
if (filter.ScoreMax.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.Score <= filter.ScoreMax.Value);
|
||||||
|
if (filter.WinrateMin.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.WinRate >= filter.WinrateMin.Value);
|
||||||
|
if (filter.WinrateMax.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.WinRate <= filter.WinrateMax.Value);
|
||||||
|
if (filter.MaxDrawdownMax.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.MaxDrawdown <= filter.MaxDrawdownMax.Value);
|
||||||
|
|
||||||
|
if (filter.Tickers != null && filter.Tickers.Any())
|
||||||
|
{
|
||||||
|
var tickerArray = filter.Tickers.ToArray();
|
||||||
|
baseQuery = baseQuery.Where(b => tickerArray.Contains(b.Ticker));
|
||||||
|
}
|
||||||
|
|
||||||
|
if (filter.Indicators != null && filter.Indicators.Any())
|
||||||
|
{
|
||||||
|
foreach (var ind in filter.Indicators)
|
||||||
|
{
|
||||||
|
var token = "," + ind + ",";
|
||||||
|
baseQuery = baseQuery.Where(b => ("," + b.IndicatorsCsv + ",").Contains(token));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (filter.DurationMin.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.Duration >= filter.DurationMin.Value);
|
||||||
|
if (filter.DurationMax.HasValue)
|
||||||
|
baseQuery = baseQuery.Where(b => b.Duration <= filter.DurationMax.Value);
|
||||||
|
}
|
||||||
|
|
||||||
|
var entities = await baseQuery.ToListAsync().ConfigureAwait(false);
|
||||||
|
var count = entities.Count;
|
||||||
|
|
||||||
|
if (count > 0)
|
||||||
|
{
|
||||||
|
_context.Backtests.RemoveRange(entities);
|
||||||
|
await _context.SaveChangesAsync().ConfigureAwait(false);
|
||||||
|
}
|
||||||
|
|
||||||
|
return count;
|
||||||
|
}
|
||||||
|
|
||||||
public (IEnumerable<LightBacktest> Backtests, int TotalCount) GetBacktestsByUserPaginated(
|
public (IEnumerable<LightBacktest> Backtests, int TotalCount) GetBacktestsByUserPaginated(
|
||||||
User user,
|
User user,
|
||||||
int page,
|
int page,
|
||||||
|
|||||||
@@ -194,6 +194,10 @@ const BacktestTable: React.FC<BacktestTableProps> = ({list, isFetching, onSortCh
|
|||||||
const [durationMinDays, setDurationMinDays] = useState<number | null>(null)
|
const [durationMinDays, setDurationMinDays] = useState<number | null>(null)
|
||||||
const [durationMaxDays, setDurationMaxDays] = useState<number | null>(null)
|
const [durationMaxDays, setDurationMaxDays] = useState<number | null>(null)
|
||||||
|
|
||||||
|
// Delete confirmation state
|
||||||
|
const [showDeleteConfirm, setShowDeleteConfirm] = useState(false)
|
||||||
|
const [isDeleting, setIsDeleting] = useState(false)
|
||||||
|
|
||||||
const applyFilters = () => {
|
const applyFilters = () => {
|
||||||
if (!onFiltersChange) return
|
if (!onFiltersChange) return
|
||||||
onFiltersChange({
|
onFiltersChange({
|
||||||
@@ -211,6 +215,62 @@ const BacktestTable: React.FC<BacktestTableProps> = ({list, isFetching, onSortCh
|
|||||||
setIsFilterOpen(false)
|
setIsFilterOpen(false)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const deleteFilteredBacktests = async () => {
|
||||||
|
if (!filters) return
|
||||||
|
|
||||||
|
setIsDeleting(true)
|
||||||
|
try {
|
||||||
|
const backtestClient = new BacktestClient({}, apiUrl)
|
||||||
|
|
||||||
|
const response = await backtestClient.backtest_DeleteBacktestsByFilters(
|
||||||
|
filters.scoreMin || undefined,
|
||||||
|
filters.scoreMax || undefined,
|
||||||
|
filters.winrateMin || undefined,
|
||||||
|
filters.winrateMax || undefined,
|
||||||
|
filters.maxDrawdownMax || undefined,
|
||||||
|
filters.tickers?.join(',') || undefined,
|
||||||
|
filters.indicators?.join(',') || undefined,
|
||||||
|
filters.durationMinDays || undefined,
|
||||||
|
filters.durationMaxDays || undefined,
|
||||||
|
filters.nameContains || undefined
|
||||||
|
)
|
||||||
|
|
||||||
|
// Parse the response to get the deleted count
|
||||||
|
const responseText = await response.data.text()
|
||||||
|
const result = JSON.parse(responseText)
|
||||||
|
|
||||||
|
const successToast = new Toast(`Successfully deleted ${result.deletedCount} backtests`, false)
|
||||||
|
|
||||||
|
// Refresh the data by calling the callback
|
||||||
|
if (onBacktestDeleted) {
|
||||||
|
onBacktestDeleted()
|
||||||
|
}
|
||||||
|
|
||||||
|
setShowDeleteConfirm(false)
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Error deleting filtered backtests:', error)
|
||||||
|
const errorToast = new Toast('Failed to delete backtests', false)
|
||||||
|
} finally {
|
||||||
|
setIsDeleting(false)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const hasActiveFilters = () => {
|
||||||
|
if (!filters) return false
|
||||||
|
return !!(
|
||||||
|
filters.nameContains ||
|
||||||
|
filters.scoreMin !== null ||
|
||||||
|
filters.scoreMax !== null ||
|
||||||
|
filters.winrateMin !== null ||
|
||||||
|
filters.winrateMax !== null ||
|
||||||
|
filters.maxDrawdownMax !== null ||
|
||||||
|
filters.tickers?.length ||
|
||||||
|
filters.indicators?.length ||
|
||||||
|
filters.durationMinDays !== null ||
|
||||||
|
filters.durationMaxDays !== null
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
const clearDuration = () => {
|
const clearDuration = () => {
|
||||||
setDurationMinDays(null)
|
setDurationMinDays(null)
|
||||||
setDurationMaxDays(null)
|
setDurationMaxDays(null)
|
||||||
@@ -569,8 +629,17 @@ const BacktestTable: React.FC<BacktestTableProps> = ({list, isFetching, onSortCh
|
|||||||
) : (
|
) : (
|
||||||
<>
|
<>
|
||||||
{/* Filters toggle button */}
|
{/* Filters toggle button */}
|
||||||
<div className="flex w-full justify-end">
|
<div className="flex w-full justify-end gap-2">
|
||||||
<button className="btn btn-sm btn-outline" onClick={() => setIsFilterOpen(true)}>Filters</button>
|
<button className="btn btn-sm btn-outline" onClick={() => setIsFilterOpen(true)}>Filters</button>
|
||||||
|
{hasActiveFilters() && (
|
||||||
|
<button
|
||||||
|
className="btn btn-sm btn-error"
|
||||||
|
onClick={() => setShowDeleteConfirm(true)}
|
||||||
|
disabled={isDeleting}
|
||||||
|
>
|
||||||
|
{isDeleting ? 'Deleting...' : 'Delete Filtered'}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<ServerSortableTable
|
<ServerSortableTable
|
||||||
@@ -717,6 +786,34 @@ const BacktestTable: React.FC<BacktestTableProps> = ({list, isFetching, onSortCh
|
|||||||
onClose={handleCloseConfigDisplayModal}
|
onClose={handleCloseConfigDisplayModal}
|
||||||
backtest={selectedBacktestForConfigView}
|
backtest={selectedBacktestForConfigView}
|
||||||
/>
|
/>
|
||||||
|
|
||||||
|
{/* Delete Confirmation Modal */}
|
||||||
|
{showDeleteConfirm && (
|
||||||
|
<div className="fixed inset-0 bg-black/50 flex items-center justify-center z-50">
|
||||||
|
<div className="bg-base-100 p-6 rounded-lg shadow-xl max-w-md w-full mx-4">
|
||||||
|
<h3 className="text-lg font-semibold mb-4">Confirm Delete</h3>
|
||||||
|
<p className="text-base-content/70 mb-6">
|
||||||
|
Are you sure you want to delete all backtests matching the current filters? This action cannot be undone.
|
||||||
|
</p>
|
||||||
|
<div className="flex gap-3 justify-end">
|
||||||
|
<button
|
||||||
|
className="btn btn-ghost"
|
||||||
|
onClick={() => setShowDeleteConfirm(false)}
|
||||||
|
disabled={isDeleting}
|
||||||
|
>
|
||||||
|
Cancel
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
className="btn btn-error"
|
||||||
|
onClick={deleteFilteredBacktests}
|
||||||
|
disabled={isDeleting}
|
||||||
|
>
|
||||||
|
{isDeleting ? 'Deleting...' : 'Delete'}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
</>
|
</>
|
||||||
)}
|
)}
|
||||||
</>
|
</>
|
||||||
|
|||||||
@@ -577,6 +577,66 @@ export class BacktestClient extends AuthorizedApiBase {
|
|||||||
return Promise.resolve<FileResponse>(null as any);
|
return Promise.resolve<FileResponse>(null as any);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
backtest_DeleteBacktestsByFilters(scoreMin: number | null | undefined, scoreMax: number | null | undefined, winrateMin: number | null | undefined, winrateMax: number | null | undefined, maxDrawdownMax: number | null | undefined, tickers: string | null | undefined, indicators: string | null | undefined, durationMinDays: number | null | undefined, durationMaxDays: number | null | undefined, name: string | null | undefined): Promise<FileResponse> {
|
||||||
|
let url_ = this.baseUrl + "/Backtest/ByFilters?";
|
||||||
|
if (scoreMin !== undefined && scoreMin !== null)
|
||||||
|
url_ += "scoreMin=" + encodeURIComponent("" + scoreMin) + "&";
|
||||||
|
if (scoreMax !== undefined && scoreMax !== null)
|
||||||
|
url_ += "scoreMax=" + encodeURIComponent("" + scoreMax) + "&";
|
||||||
|
if (winrateMin !== undefined && winrateMin !== null)
|
||||||
|
url_ += "winrateMin=" + encodeURIComponent("" + winrateMin) + "&";
|
||||||
|
if (winrateMax !== undefined && winrateMax !== null)
|
||||||
|
url_ += "winrateMax=" + encodeURIComponent("" + winrateMax) + "&";
|
||||||
|
if (maxDrawdownMax !== undefined && maxDrawdownMax !== null)
|
||||||
|
url_ += "maxDrawdownMax=" + encodeURIComponent("" + maxDrawdownMax) + "&";
|
||||||
|
if (tickers !== undefined && tickers !== null)
|
||||||
|
url_ += "tickers=" + encodeURIComponent("" + tickers) + "&";
|
||||||
|
if (indicators !== undefined && indicators !== null)
|
||||||
|
url_ += "indicators=" + encodeURIComponent("" + indicators) + "&";
|
||||||
|
if (durationMinDays !== undefined && durationMinDays !== null)
|
||||||
|
url_ += "durationMinDays=" + encodeURIComponent("" + durationMinDays) + "&";
|
||||||
|
if (durationMaxDays !== undefined && durationMaxDays !== null)
|
||||||
|
url_ += "durationMaxDays=" + encodeURIComponent("" + durationMaxDays) + "&";
|
||||||
|
if (name !== undefined && name !== null)
|
||||||
|
url_ += "name=" + encodeURIComponent("" + name) + "&";
|
||||||
|
url_ = url_.replace(/[?&]$/, "");
|
||||||
|
|
||||||
|
let options_: RequestInit = {
|
||||||
|
method: "DELETE",
|
||||||
|
headers: {
|
||||||
|
"Accept": "application/octet-stream"
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return this.transformOptions(options_).then(transformedOptions_ => {
|
||||||
|
return this.http.fetch(url_, transformedOptions_);
|
||||||
|
}).then((_response: Response) => {
|
||||||
|
return this.processBacktest_DeleteBacktestsByFilters(_response);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
protected processBacktest_DeleteBacktestsByFilters(response: Response): Promise<FileResponse> {
|
||||||
|
const status = response.status;
|
||||||
|
let _headers: any = {}; if (response.headers && response.headers.forEach) { response.headers.forEach((v: any, k: any) => _headers[k] = v); };
|
||||||
|
if (status === 200 || status === 206) {
|
||||||
|
const contentDisposition = response.headers ? response.headers.get("content-disposition") : undefined;
|
||||||
|
let fileNameMatch = contentDisposition ? /filename\*=(?:(\\?['"])(.*?)\1|(?:[^\s]+'.*?')?([^;\n]*))/g.exec(contentDisposition) : undefined;
|
||||||
|
let fileName = fileNameMatch && fileNameMatch.length > 1 ? fileNameMatch[3] || fileNameMatch[2] : undefined;
|
||||||
|
if (fileName) {
|
||||||
|
fileName = decodeURIComponent(fileName);
|
||||||
|
} else {
|
||||||
|
fileNameMatch = contentDisposition ? /filename="?([^"]*?)"?(;|$)/g.exec(contentDisposition) : undefined;
|
||||||
|
fileName = fileNameMatch && fileNameMatch.length > 1 ? fileNameMatch[1] : undefined;
|
||||||
|
}
|
||||||
|
return response.blob().then(blob => { return { fileName: fileName, data: blob, status: status, headers: _headers }; });
|
||||||
|
} else if (status !== 200 && status !== 204) {
|
||||||
|
return response.text().then((_responseText) => {
|
||||||
|
return throwException("An unexpected server error occurred.", status, _responseText, _headers);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
return Promise.resolve<FileResponse>(null as any);
|
||||||
|
}
|
||||||
|
|
||||||
backtest_GetBacktestsByRequestId(requestId: string): Promise<Backtest[]> {
|
backtest_GetBacktestsByRequestId(requestId: string): Promise<Backtest[]> {
|
||||||
let url_ = this.baseUrl + "/Backtest/ByRequestId/{requestId}";
|
let url_ = this.baseUrl + "/Backtest/ByRequestId/{requestId}";
|
||||||
if (requestId === undefined || requestId === null)
|
if (requestId === undefined || requestId === null)
|
||||||
@@ -4310,6 +4370,7 @@ export enum BacktestSortableColumn {
|
|||||||
Fees = "Fees",
|
Fees = "Fees",
|
||||||
SharpeRatio = "SharpeRatio",
|
SharpeRatio = "SharpeRatio",
|
||||||
Ticker = "Ticker",
|
Ticker = "Ticker",
|
||||||
|
Name = "Name",
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface LightBacktest {
|
export interface LightBacktest {
|
||||||
|
|||||||
@@ -545,6 +545,7 @@ export enum BacktestSortableColumn {
|
|||||||
Fees = "Fees",
|
Fees = "Fees",
|
||||||
SharpeRatio = "SharpeRatio",
|
SharpeRatio = "SharpeRatio",
|
||||||
Ticker = "Ticker",
|
Ticker = "Ticker",
|
||||||
|
Name = "Name",
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface LightBacktest {
|
export interface LightBacktest {
|
||||||
|
|||||||
Reference in New Issue
Block a user