FAQ

Licensing issues FastReport .NET Online Designer FastReport VCL Reporting FMX Analysis VCL

FastReport .NET

Do you provide technical support for FastReport .NET?

Yes, for clients with an active subscription.

Do you have a Technical Support Statement?

Yes, you can find it at: Technical Support Statement.

Where can I go for FastReport .NET technical support?

Users can send requests via email to support@fast-report.com, through the request form on the website from the client panel, or online chat

Is there paid enhancement of FastReport .NET functionality?

Yes, on a contractual basis.

I cannot add controls to the form in Visual Studio 2013.

Make sure that FastReport.Editor.dll, FastReport.VSDesign.dll, FastReport.Web and FastReport.dll are registered in the GAC (see the directories from p. 3). If not, register them.

For this open Visual studio tools folder(C:\Program Files (x86)\Microsoft Visual Studio 12.0\Common7\Tools\Shortcuts), open Developer Command Prompt for..., and write on the command line gacutil -i ""reference path+ name.dll""(gacutil -i ""Program Files\FastReports\FastReport.Net\Framework 4.0\FastReport.dll"").

Learn more about GAC registration.

After that, add the FastReport controls to the Visual Studio Toolbox: right-click on the toolbar -> Choose Items -> Select FastReport.dll from the GAC and click OK.

How do you calculate the size of an object that has dynamic resizing properties set (AutoWidth, CanGrow, CanShrink)?

If you call the object's .Height property (Text1.Height), the result will be the height of the object in the report template. During report rendering, the height changes, and to determine the height of the object in the prepared report, you should use the CalcHeight method (Text1.CalcHeight()). The CalcWidth method is also used to calculate the length.

When compiling the project, an error message is displayed: Could not find type or namespace name 'FastReport' (missing using directive or build reference?)

Ensure that the project has references to the required libraries (FastReport.dll, FastReport.Web.dll) set up. Check the .NET Framework version used by your project and the referenced library.

How to send a report by mail using a code in PDF format?

Use this code snippet: Report report = new Report(); report.Load(...); report.RegisterData(...); report.Prepare(); PDFExport pdfExport = new PDFExport(); EmailExport export = new EmailExport(); // set up Account properties... export.Account.Host = ""...""; export.Account.Address = ""...""; // set up email properties... export.Address = ""...""; export.Subject = ""...""; export.MessageBody = ""...""; // send email export.Export = pdfExport; export.SendEmail(report);

How do you remove the Data tab in the designer (for providing to users)?

Add the "EnvironmentSettings" control to your form (Form). Before calling report.Design(), add the following lines: EnvironmentSettings1.DesignerSettings.Restrictions.DontCreateData = True; EnvironmentSettings1.DesignerSettings.Restrictions.DontEditData = True;

If you are using DesignerControl, then these lines:

designerControl1.Restrictions.DontCreateData = true;
designerControl1.Restrictions.DontEditData = true;

How to inherit a report from code?

Create a new report: Report report = new Report(); Add a CustomLoadEventHandler event to load a basic report: report.LoadBaseReport += new CustomLoadEventHandler(FReport_LoadBaseReport); Load the inherited report: report.Load(""InheritReport.frx""); Delete CustomLoadEventHandler: report.LoadBaseReport -= new CustomLoadEventHandler(FReport_LoadBaseReport); Now you can show the report or open it in the designer. It will contain both the one that is inherited and the one that inherits the base report: report.Show(); You also need to create an event to load the base report:

private void FReport_LoadBaseReport(object sender, CustomLoadEventArgs e)
{
// e.FileName contains the name of base report. It may be the file name, or an ID in the database,
// it depends on how you load the main report
e.Report.Load(""C:\\Users\\InheritReport\\bin\\Debug\\Title2.frx"");
}

And the full code:

public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }

    private void Form1_Load(object sender, EventArgs e)
    {
        Report report = new Report();
        report.LoadBaseReport += new CustomLoadEventHandler(FReport_LoadBaseReport);
     report.Load(""InheritReport.frx"");
        report.LoadBaseReport -= new CustomLoadEventHandler(FReport_LoadBaseReport);

     report.Show();
    }

 private void FReport_LoadBaseReport(object sender, CustomLoadEventArgs e)
 {
     // e.FileName contains the name of the base report. It may be the file name, or an ID in the database,
        // it depends on how you load the main report
        e.Report.Load(""C:\\Users\\InheritReport\\bin\\Debug\\Title2.frx"");
 }
}

If you want to load a report from a database, replace the Load() method with LoadFromString().

How to remove the Code tab in the designer (for providing to users)?

Add the ""EnvironmentSettings"" control to your Form. Before calling report.Design(), add the following line: environmentSettings1.DesignerSettings.Restrictions.DontEditCode = true;

How to use FastReport .NET controls in WPF applications?

For this you should use WindowsFormsHost: 0) Add the link to FastReport.dll;

Add an attribute to the Window(Page) tag: xmlns:fr=""clr-namespace:FastReport.Preview;assembly=FastReport"" if you want to use PreviewControl, xmlns:fr1=""clr-namespace:FastReport.Design;assembly=FastReport"" – if DesignerControl; Add the WindowsFormsHost tag to your XAML markup: ```

Add a child tag to WindowsFormsHost: fr:PreviewControl/fr:PreviewControl or fr1:Designer/fr1:Designer. The full markup should look like this: fr:PreviewControl/fr:PreviewControl ```

How do you set object formatting from code?

You can do this in the report script or in your project code using the following lines: FastReport.Format.NumberFormat format = new FastReport.Format.NumberFormat(); format.UseLocale = false; format.DecimalDigits = 2; format.DecimalSeparator = "".""; format.GroupSeparator = "",""; And set the created formatting for the text object (TextObject):

textObject.Formats.Clear();
textObject.Formats.Add(format);

How to create a line with breaks in MSChartObject?

First you need to create a System.Windows.Forms.DataVisualization.Charting.Series object, which is the basic for Series in MSChartObject and draw a line in it. Then you need to assign the created series to the object, which is basic for MSChartObject (MSChart1.Chart.Series.Add(series) Don't forget to include the System.Windows.Forms.DataVisualization.dll library (in the Report-> Script menu) and the System.Windows.Forms.DataVisualization.Charting namespace. Example of a line with breaks:

using System.Windows.Forms.DataVisualization.Charting;

namespace FastReport
{
 public class ReportScript
 {
 private void MSChart1_BeforePrint(object sender, EventArgs e)
 {
 Series series = new Series(""sample"");
 series.ChartType = SeriesChartType.Line;
 series.BorderWidth = 2;
 series.MarkerSize = 5;

 series.Points.Add(new DataPoint(0, 1));
 series.Points.Add(new DataPoint(1, 2));
 DataPoint dp = new DataPoint(2, double.NaN);
 dp.IsEmpty = true;
 series.Points.Add(dp);
 series.Points.Add(new DataPoint(3, 5));
 series.Points.Add(new DataPoint(4, 8));

 MSChart1.Chart.Series.Add(series);

 }
 }
}

As a result, we get the graph below:

How to create an MSChartObject chart from code?

Create a new MSChart object, set the height, width, and legend:

MSChartObject MSChart1 = new MSChartObject();
 MSChart1.Width = 300;
 MSChart1.Height = 300;
 MSChart1.Chart.Legends.Add(new Legend() { Name = ""Legend1"", Title=""Legend title""});

Create a ChartArea object, set the name, axis titles and assign the created MSChart object:

ChartArea chartArea1 = new ChartArea();
 chartArea1.Name = ""ChartArea1"";
 chartArea1.Axes[0].Title = ""X name"";
 chartArea1.Axes[1].Title = ""Y name"";
 MSChart1.Chart.ChartAreas.Add(chartArea1);

Create a Series object, set the chart type, border thickness, add points, and assign the series to the chart:

Series series = new Series(""sample"");
series.ChartType = SeriesChartType.Line;
series.BorderWidth = 2;
series.Points.Add(new DataPoint(0, 1));
series.Points.Add(new DataPoint(1, 2));
series.Points.Add(new DataPoint(3, 5));
series.Points.Add(new DataPoint(4, 8));

MSChart1.Chart.Series.Add(series);

Assign the created MSChart to the DataBand report object:

Report report = new Report();
report.Load(""ok.frx"");
DataBand db = report.FindObject(""Data1"") as DataBand;

MSChart1.Parent = db;

And the full code snippet:

MSChartObject MSChart1 = new MSChartObject();
MSChart1.Width = 300;
MSChart1.Height = 300;
MSChart1.Chart.Legends.Add(new Legend() { Name = ""Legend1"", Title=""Legend title""});

ChartArea chartArea1 = new ChartArea();
chartArea1.Name = ""ChartArea1"";
chartArea1.Axes[0].Title = ""X name"";
chartArea1.Axes[1].Title = ""Y name"";
MSChart1.Chart.ChartAreas.Add(chartArea1);

Series series = new Series(""sample"");
series.ChartType = SeriesChartType.Line;
series.BorderWidth = 2;
series.Points.Add(new DataPoint(0, 1));
series.Points.Add(new DataPoint(1, 2));
series.Points.Add(new DataPoint(3, 5));
series.Points.Add(new DataPoint(4, 8));

MSChart1.Chart.Series.Add(series);

Report report = new Report();
report.Load(""ok.frx"");
DataBand db = report.FindObject(""Data1"") as DataBand;
MSChart1.Parent = db;

Result:

My subscription has expired. Where can I download the latest available version?

Write to us at support and we will send you the latest version available to you.

How to disable showing ProgressForm when building and displaying a report?

You can disable the window in EnvironmentSettings:

Report report = new Report();
report.LoadPrepared(""1.fpx"");
EnvironmentSettings s = new EnvironmentSettings();
s.ReportSettings.ShowProgress = false;
report.Show();

How to return default settings for the designer?

Delete the FastReport.config file from C:\Users""Your user's name""\AppData\Local\FastReport.

How to get request parameter value from code?

Use the following code for this: Report.Dictionary.Connections[0].Tables[0].Parameters[0].Value.ToString();

How to embed a report in HTML format in a message and send it by email using the code?

Use this code snippet:

Report report = new Report();
report.LoadPrepared(""preparedreport.fpx"");

 HTMLExport htmlExport = new HTMLExport()
 {
 SubFolder = false,
 Navigator = false,
 Pictures = true,
 EmbedPictures = true,
 SinglePage = true,
 Layers = true,
 HasMultipleFiles = false
 };
 EmailExport email = new EmailExport();

 //email mailer settings
 email.Account.Address = ""Email@gmail.com"";
 email.Account.Name = ""Usename"";
 email.Account.Host = ""smtp.yandex.ru"";
 email.Account.Port = 25;
 email.Account.UserName = ""Email"";
 email.Account.Password = ""password"";
 email.Account.MessageTemplate = ""Test"";
 email.Account.EnableSSL = true;

 //email addressee settings
 email.Address = ""Destinationaddress@gmail.com"";
 email.Subject = ""Embedding of html"";

 email.Export = htmlExport; //Set export type
 email.SendEmail(report); //Send email

Why don't web demos work?

If demos from the Demos\C#\Web folder do not launch, then to fix this you need to:

Restore NuGet packages; Add links to all necessary libraries from ""packages"";

Change the build versions to the current ones in the Web.Config files from the root directory and from Views.

How to combine several reports into one (group printing)?

Use the code below for this. For desktop version:

Report report = new Report();
report.Load(Path.GetFullPath(@""..\..\Report1.frx""));
report.Prepare(true);
report.Load(Path.GetFullPath(@""..\..\Report2.frx""));
report.Prepare(true);
report.Load(Path.GetFullPath(@""..\..\Report3.frx""));
report.Prepare(true);
report.ShowPrepared();

For web version:

webReport.Report.Load(Path.GetFullPath(@""..\..\Report1.frx""));
webReport.Report.Prepare(true);
webReport.Report.Load(Path.GetFullPath(@""..\..\Report2.frx""));
webReport.Report.Prepare(true);
webReport.Report.Load(Path.GetFullPath(@""..\..\Report3.frx""));
webReport.Report.Prepare(true);
webReport.ShowRefreshButton = false;
webReport.ReportDone = true;

How to load and call a report from application resources?

Installing a report in resources:

Go to Visual Studio to the resources tab (Project -> Properties -> Resources); Set the name (report) and set the contents of the resource (the contents of the file myreport.frx); Calling a report from resources:

Report report = new Report();
report.ReportResourceString = Resources.report;
report.Show();

How to add an assembly (dll) to a report from code?

Use this code snippet:

Report report = new Report;
List<string> assmbly = new List<string>(report.ReferencedAssemblies);
assmbly.Add(""Newtonsoft.Json.dll""); //replace to your dll's name
report.ReferencedAssemblies = assmbly.ToArray();

Make sure that the added dll is in the same folder as FastReport.dll. Now you can use methods from the connected dll. For example, you can add the following expression to the TextObject - [Newtonsoft.Json.ConstructorHandling.Default.ToString()].

How to include all tables and relations from a dataset in a report?

Use this code snippet to make all tables from your data source (DataSet) available in the report:

foreach (FastReport.Data.DataSourceBase tbl in report.Dictionary.DataSources)
 {
 tbl.Enabled = true;
 }

Then add all the relations from the DataSet:

for (int i = 0; i < ds.Relations.Count; i++)
 {
 report.RegisterData(ds.Relations[i], ""relation"" + i);
 }

And enable all relations:

foreach (FastReport.Data.Relation rl in report.Dictionary.Relations)
{
rl.Enabled = true;
}

The full code:

Report report = new Report();
DataSet ds = new DataSet();
ds.ReadXml(""EstimateFile.xml"");
report.RegisterData(ds, ""ds"");

foreach (FastReport.Data.DataSourceBase tbl in report.Dictionary.DataSources)
{
tbl.Enabled = true;
}

for (int i = 0; i < ds.Relations.Count; i++)
{
report.RegisterData(ds.Relations[i], ""relation"" + i);
}

foreach (FastReport.Data.Relation rl in report.Dictionary.Relations)
{
rl.Enabled = true;
}

FastReport .NET and the print service are installed on Server_1, but all printers will be located on Server_2. Is it possible to send a report to the print queue from another server?

Yes, it is possible. You need to configure a network printer in the system.

When converting RDL reports from SSRS, only the report display is transferred, but not the DataSets?

Data sources are not transferred during the conversion.

I have a data row with a label. If the value is 0.00, I need to hide the entire row along with the label. Is this possible?

You need to add an event handler BeforePrint to the band. There, check this value, if it is 0.00, then set the Visible property of the band to false. Additionally, you may need to set the height of the band to 0.

Does FastReport .NET support integration with a database using DTO? (no direct access to the database)

It depends on what DTOs are there. They can be passed as objects to the report as a data source. There is a similar example in the demo projects. In the [FastReport .NET]\Demos\C#\DataFromBusinessObject folder.

How to render a report using WebApi + VueJs?

How to hide buttons in FastReport .NET preview?

How can I configure the display of certain export filters in the FastReport .NET preview?

In FastReport .NET, can I get rid of Microsoft.CodeAnalysis.CSharp.dll, Microsoft.CodeAnalysis.VisualBasic.dll, and Microsoft.CodeAnalysis.dll, which are generated during deployment? If they are excluded, an error occurs when preparing the report. How can you remove them?

These libraries are necessary for the operation of our script in FastReport .NET. Removing them is not possible.

Is it possible to convert existing XtraReport reporting forms to frx format?

Yes.

In our reports, the data source is a DataSet. Is it possible to display the DataSet structure in the form of a tree in the FastReport .NET report designer, taking into account the relations between tables in it?

It will not be possible to display the DataSet structure in the form of a tree, taking into account the relations between tables in it.

Are named expressions similar to calculated fields in DevExpress supported in FastReport .NET?

No, named expressions are not supported in FastReport .NET.

Can you set the displayed names for fields, tables, and relations in the FastReport editor (similar to DisplayName in DevExpress)?

There is something similar, the Alias property.

Is there a report designer for Angular applications?

You can use FastReport .NET and the Online Designer.

We received the source code of the library from you, everything builds, but two libraries are already built there: FastReport.Compat.dll and FastReport.DataVisualization.dll. Where can we get the source code for these libraries?

There is a web application developed with Flutter, and a back-end web service developed with C# .NET. Can FastReport .NET be used to create reports on the back-end, generating PDF files and displaying them in the Flutter application?

Yes, FastReport .NET can be used for this purpose.

Is it possible to use LINQ in the FastReport .NET report script if you need to find one or more rows from the BusinessObjectDataSource?

Yes, it is possible.

Suppose we have a .NET assembly: a DLL with a DataConnection, written similarly to the samples. That means we have our own data provider. Is it possible to connect this .NET assembly to the Online Designer? How?

Possibly through FastReport.Utils.RegisteredObjects.AddConnection()

Can custom fonts be used?

Yes, see the Article

Is there a converter for templates from .FR3 to .FRX?

Is there a converter for templates from .FRX to .FR3?

Yes. With the template designer, you can save templates in a number of formats, including .FR3. In the designer, select "Save As...", and in the save dialog, select "FastReport VCL report (.fr3)".

What type of licensing is used in FastReport .NET?

The FastReport .NET License is available at this link

Can I use FastReport Online Designer with FastReport .NET?

Yes, FastReport .NET can be used with Online Designer. FastReport .NET Ultimate and WEB Online Designer packages already contain Online Designer. For other packages you will have to buy Online Designer separately.

What are the fundamental differences between FastReport Open Source and the commercial version?

The differences are presented in the table

Is there an application to preview the prepared report?

Yes, it can be used in commercial development, as long as you comply with the EULA. See file LICENSE.md

How can I get the old version of the product?

If you are using our private nuget server, then you can choose the version you want there. You can also request the desired version from us.

Is it possible to connect an Excel file as a database and build a report?

Direct connection is not planned. Depending on your file, you may be able to convert it to another format, such as CSV, and FastReport will be able to use that format as a database.

Can I connect a CSV file as a database and build a report?

Yes, see more in the article.

Is it possible to connect to DataSource in FastReport .NET?

Yes.

What databases and DBMSs can you connect to?

Cassandra ClickHouse Couchbase ElasticSearch Excel Firebird Json Linter MongoDB MsSql MySql OracleODPCore Postgres RavenDB SQLite Databases compatible with the ones listed above are also supported. We are constantly improving our products, so the list is not exhaustive. If you contact our support, we will provide you with detailed information about compatibility with the database management system you are interested in.

Does FastReport .NET support Vertica and Clickhouse databases?

It supports СlickHouse, but does not support Vertica.

Is it possible to export the PDF as text instead of an image?

Unlike FastReport Open Source, FastReport .NET exports to PDF not in image format, but in text.

Is it possible to export PDFs with interactive input fields?

Yes.

Is there an option to embed fonts when exporting to PDF?

Yes.

Is it possible to export the report to PDF with the report structure?

Yes.

Is it possible to use a digital signature when exporting to PDF?

Yes.

Is there an export of the report to cloud services?

Yes.

Can I send the report by email?

Yes.

What office document formats does export support?

RTF, Excel 2007, Excel 97, Word 2007, PowerPoint 2007, Open Office Calc, Open Office Writer, XML, XAML, LaTeX

How do I save a FastReport .NET report in LaTeX?

See more in the article.

What types of documents for different types of printers does export support?

PostScript, PPML, ZPL, dot matrix printers.

What PDF standards does FastReport .NET export support?

PDF: 1.5 and 1.7, PDF / A (1, 2, 3), PDF / X (3, 4)

What types of exports are available in FastReport .NET? In what formats will I receive documents and reports?

PDF: 1.5 and 1.7, PDF / A (1, 2, 3), PDF / X (3, 4); Office: RTF, Excel 2007, Excel 97, Word 2007, PowerPoint 2007, Open Office Calc, Open Office Writer, XML, XAML, LaTeX; Web: HTML, MHT; Graphics: BMP, PNG, GIF, JPEG, TIFF, EMF, SVG, DXF, PPML, PostScript; Data Base: CSV, DBF, Json; As well as: Text , ZPL, XPS.

The Visual Studio toolbox does not contain .NET FastReport components

Add components to the toolbox manually: Click ""Select items"" in the right-click menu hovered over the Visual Studio toolbar and select FastReport.dll from the GAC (C:\Windows\Microsoft.NET\assembly\GAC_MSIL\FastReport) folder.

Why are there no libraries for the .NET Framework 2.0 in the installation since version 2020.3?

We have decided to stop supporting the old framework and Visual Studio 2005. We have some difficulties with supporting different code snippets for legacy frameworks. If you continue to use the .NET Framework 2.0 in your applications, please email us or use .NET FastReport version 2020.2 or earlier.

How to install your license packages into our product using Linux, MacOS or Windows? That said, we wouldn't have to install the latest version of FastReport products manually using an installer downloaded from a site that only works on Windows?

We have prepared a universal solution to this question in the form of our private NuGet server Fast Reports. Read more about it in the next article.

If your subscription expires, you can continue to use the Fast Reports package source, but you will not have access to the latest versions of the packages. Therefore, the latest available version of the package will be determined by the condition:

The release date of the selected version < The expiration date of the eligible subscription

Important! If you try to download a package with a release date later than the end date of the eligible subscription, the Fast Reports NuGet server will return the most recent available version of the package according to your subscription. However, we do not recommend referencing an unavailable version of the package, as this leads to a Warning when restoring the project and delays the package download.

How do I download the FastReport .NET package from nuget?

See more in this article.

Can I use watermarks?

You can, but they will look like a picture.

Will there be a full-fledged HTML object for displaying HTML files?

It is planned.

Can I work with MSChart in FastReport .NET?

Yes.

Is there support for embedding RichText in .NET FastReport?

Yes.

Is there support for dialog forms in FastReport .NET?

Yes.

Where to look for sources after purchase?

You need to download the product installer in your client panel

After installing the full version of FastReport .NET, reports continue to be generated with limitations.

Delete FastReport.NET Trial. Make sure that there are no .NET FastReport libraries in the C:\Windows\assembly and C:\Windows\Microsoft.NET\assembly\GAC_MSIL directories. If libraries were found, delete them. Install the full version of the program.

How do I migrate a project from FastReport OpenSource to the commercial version of FastReport .NET?

See more in this article.

Is there a console installer?

No.

Can I add the report generator to my product so that my clients have the ability to modify reports? Or does each client need to purchase their own license?

You can add the FastReport.NET designer for end-users without additional licensing. This means that you can add the report generator to the product without the source code and outside the development environment.

Where can I find the FastReport .NET demo application (trial version)?

It can be found by following the link.

Where can I download the FastReport .NET CoreWin demo?

It can be found by following the link.

Where can I find the FastReport .NET documentation?

It can be found by following the link.

Where can I find a FastReport .NET demo for ASP.NET?

Where can I find a FastReport .NET demo for ASP.NET MVC?

Where can I find a demo of FastReport .NET with Online Designer?

Where can I find the FastReport .NET demo for .NET Core?

Where can I find a demo of FastReport .NET for Blazor Server?

What are the differences between FastReport .NET and Skia and GDI+?

You can see it here.

Where can I get a trial or demo version with FastReport.Core.Skia?

Upon request.

What are the limitations in the trial version of FastReport .NET?

The "DEMO VERSION" label is put on each page, and random fields are replaced.

Will there be support for SkiaSharp (Replace System.Drawing.Common to SkiaSharp)?

There is support for Skia.

Are EMF, WMF image formats supported under FastReport .NET Skia?

No, these formats are only supported on Windows, while Skia is a cross-platform library

Is there support for Xamarin.Forms?

No, it is not planned.

Is there support for Avalonia UI?

Yes. See details of FastReport Avalonia.

Is there WPF support?

Yes, we have FastReport WPF product.

Is there support for Blazor?

Yes: both Server and WebAssembly.

Is there support for Blazor WebAssembly?

Implemented. Read about it in this article.

Is there support for Maui?

No, it is not planned.

Is there support for Uno?

No, it is not planned.

Is there support for Uno.WinUI?

No, it is not planned.

Is there support for WinUI?

No, it is not planned.

What types of web projects can FastReport.NET be used in?

ASP.NET, ASP.NET MVC, .NET Core, Blazor Server, Blazor WebAssembly

Is there a template designer in FastReport.NET?

Yes, the designer is included in the product.

Does FastReport .NET work on mobile devices?

Now no, it is not planned. You can use the Web version.

Does FastReport .NET work on Linux?

Yes, FastReport .NET supports Linux in Ultimate, WEB, Avalonia, and Mono packages.

In which IDEs can I use FastReport .NET?

Visual Studio, Visual Studio Code, JetBrains Rider, as well as any other editors that support .NET

What are the system requirements for FastReport .NET?

Hardware requirements: 1 GHz processor, 512 MB RAM Minimum disk space (32-bit or 64-bit OS): 20 MB Requires .NET support Minimum version .NET Framework: .NET Framework 4.6.2

Does FastReport .NET have a report object that allows you to upload a PDF document inside a report (similar to the TfrxPDFView object in FastReport VCL)?

Not now.

Does FastReport .NET work on CentOS and Debian?

Yes, FastReport .NET Сore works on CentOS and Debian.

Is the FastReport .NET report generator only for the Blazor server and not for hybrid mode?

Blazor Hybrid is not supported. The Blazor, WASM, and Blazor Server platforms are supported now.

Does FastReport .NET support RFID label design and printing?

It is available, read about it in the article.

Fast Reports
  • 800-985-8986 (English, US)
  • +4930568373928 (German)
  • +55 19 98147-8148 (Portuguese)
  • info@fast-report.com
  • 901 N Pitt Str #325 Alexandria VA 22314

© 1998-2024 Fast Reports Inc.
Trustpilot