请帮忙。剃须刀让我头疼。我正在尝试使用谷歌图表来显示我的信息。
所以,这就是我的看法:
@section scripts
{
<script type="text/javascript" src="https://www.google.com/jsapi"></script>
<script type="text/javascript">
google.load("visualization", "1", { packages: ["corechart"] });
google.setOnLoadCallback(drawChart);
function drawChart() {
var data = google.visualization.arrayToDataTable([
['Date', 'DDM'],
@foreach(var item in Model.ToList())
{
<text>
['item.Item1', 'item.Item2']
</text>
}
]);
var options = {
title: 'Demande de marché',
hAxis: { title: 'Date', titleTextStyle: { color: '#333'} }
};
var chart = new google.visualization.AreaChart(document.getElementById('chart_div'));
chart.draw(data, options);
}
</script>
}
我使用foreach循环迭代模型(IEnumerable<Tuple<DateTime,int>>
)以在javascript函数中添加信息。在设计时,我得到了
Conditional compilation is turned off
有谁知道如何解决这个问题?
由于
编辑: 这是控制器:
public ActionResult DDMPerDepartment(string department)
{
if (DepartmentsList == null) DepartmentsList = _db.Departments.ToList();
ViewBag.DepartmentString = DepartmentsList.First().DepartmentName;
IEnumerable<Tuple<DateTime,int>> points = _db.DepartmentNumbers.Where(x => x.Department.Id == 1).Select(x => new Tuple<DateTime, int>(x.Date, x.Number));
return View(points);
}
答案 0 :(得分:3)
代码中有一些错误:
您输入字符串'item.Item1'而不是变量Item1
的属性item
的值。请改用'@(item.Item1)'
。
您在foreach
循环中的每个项目末尾都缺少逗号。因此注入的javascript无效。你需要
&lt; text&gt; ['@(item.Item1)','@(item.Item2)'],&lt; / text&gt;
编辑:
好的,所以问题出在上面的LINQ to实体查询中。
IEnumerable<Tuple<DateTime,int>> points = _db.DepartmentNumbers.Where(x => x.Department.Id == 1).Select(x => new Tuple<DateTime, int>(x.Date, x.Number));
实体框架需要能够将此查询转换为SQL查询,因此不接受在查询中使用带有参数的构造函数。上面的Where
和Select
子句合并为一个SQL查询。
一种可能的解决方法是首先评估需要在数据库上运行的表达式部分,将数据恢复到内存,然后在内存中创建元组。 LINQ方法有许多重载,其中一些为LINQ实体创建表达式,一些在内存中执行LINQ操作。您需要确保创建元组的选择在内存中执行,即您不希望重载适用于IQueryable<T>
。
IEnumerable<Tuple<DateTime,int>> points = _db.DepartmentNumbers
.Where(x => x.Department.Id == 1) // LINQ to Entities WHERE
.Select(x => new { x.Date, x.Number }) // LINQ to Entities SELECT
.AsEnumerable() // We want the next statement to be a select on IEnumerable instead of IQueryable.
.Select(x => new Tuple<DateTime, int>(x.Date, x.Number)); // In-memory SELECT