- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一张美国县 map ,它应该以动画形式显示 14 天内各县的产水量。我需要以红色(小于 50 毫米)、绿色(大于 49 毫米且小于 100 毫米)和蓝色(大于 100 毫米)显示颜色。我改编自 Mike Bostock 和 Rich Donohue 的以下代码:
<style>
.county {
fill:steelblue;
stroke: #fff; /*White*/
stroke-width: .5px;
}
#play, #clock {
position: absolute;
/*top: 15px;*/
}
#play {
/*left: 15px;*/
left: 160px;
top: 140px;
}
#clock {
left: 220px;
top: 148px;
}
<button id="play">Play</button>
<span id="clock">Day</span>
<h1 style="text-align:center">14-Day Water Yield By County</h1>
<div id="svgDiv1" style="text-align:center">
<svg width="960" height="600" stroke-linejoin="round" stroke-linecap="round">
<defs>
<filter id="blur">
<feGaussianBlur stdDeviation="5"></feGaussianBlur>
</filter>
</defs>
</svg>
<script>
//globals
var width, height, projection, path, group, graticule, svg, defs, attributeArray = [], currentAttribute = 0, playing = false;
function init() {
setMap();
animateMap();
}
function setMap() {
svg = d3.select("svg");
defs = svg.select("defs");
path = d3.geoPath();
d3.json("/topo/us-10m.v1.json", function (error, us) {
if (error) throw error;
defs.append("path")
.attr("id", "nation")
.attr("d", path(topojson.feature(us, us.objects.counties)));
svg.append("use")
.attr("xlink:href", "#nation")
.attr("fill-opacity", 0.2)
.attr("filter", "url(#blur)");
svg.append("use")
.attr("xlink:href", "#nation")
.attr("fill", "#fff");
svg.append("path")
.attr("fill", "none")
.attr("stroke", "#777")
.attr("stroke-width", 0.70)
.attr("d", path(topojson.mesh(us, us.objects.counties, function (a, b) { return a !== b; })));
});
loadData(); // let's load our data next
}
function loadData() {
queue() // queue function loads all external data files asynchronously
.defer(d3.json, "/topo/us-10m.v1.json") // our geometries
.defer(d3.csv, "/data/wtryld.csv") // and associated data in csv file
.await(processData); // once all files are loaded, call the processData function passing the loaded objects as arguments
}
function processData(error, us, countyData) {
// function accepts any errors from the queue function as first argument, then
// each data object in the order of chained defer() methods above
if (error) throw error;
//Get values from geojson
var conus = topojson.feature(us, us.objects.counties); // store the path in variable for ease
//Get values from csv file
for (var i in conus.features) { // for each geometry object
for (var j in countyData) { // for each row in the CSV
if (conus.features[i].id == countyData[j].id) { // if they match
for (var k in countyData[i]) { // for each column in the a row within the CSV
if (k != 'id' && k != 'County') { // select only number of days as column headings
if (attributeArray.indexOf(k) == -1) {
attributeArray.push(k); // add new column headings to our array for later
}
conus.features[i].properties[k] = Number(countyData[j][k]) // add each CSV column key/value to geometry object
}
}
break; // stop looking through the CSV since we made our match
}
}
}
d3.select('#clock').html(attributeArray[currentAttribute]); // populate the clock initially with the current day
drawMap(conus); // let's mug the map now with our newly populated data object
}
//Sort function; can specify multiple columns to sort: propSort("STATE", "COUNTY");
function propSort(props) {
if (!props instanceof Array) props = props.split(",");
return function sort(a, b) {
var p;
a = a.properties;
b = b.properties;
for (var i = 0; i < props.length; i++) {
p = props[i];
if (typeof a[p] === "undefined") return -1;
if (a[p] < b[p]) return -1;
if (a[p] > b[p]) return 1;
}
return 0;
};
}
function drawMap(conus) {
svg.selectAll(".feature") // select country objects (which don't exist yet)
.data(conus.features) // bind data to these non-existent objects
.enter().append("path") // prepare data to be appended to paths
.attr("class", "county") // give them a class for styling and access later
.attr("id", function (d) { return d.properties.id; }, true) // give each a unique id for access later
.attr("d", path); // create them using the svg path generator defined above
var dataRange = getDataRange(); // get the min/max values from the current day's range of data values
d3.selectAll('.county') // select all the counties
.attr('fill-opacity', function (d) {
return getColor(d.properties[attributeArray[currentAttribute]], dataRange); // give them an opacity value based on their current value
});
}
function sequenceMap() {
var dataRange = getDataRange(); // get the min/max values from the current year's range of data values
d3.selectAll('.county').transition() //select all the counties and prepare for a transition to new values
.duration(300) // give it a smooth time period for the transition
.attr('fill-opacity', function (d) {
return getColor(d.properties[attributeArray[currentAttribute]], dataRange); // the end color value
})
}
function getColor(valueIn, valuesIn) {
// create a linear scale
var color = d3.scale.linear()
.domain([valuesIn[0], valuesIn[1]]) // input uses min and max values
.range([.3, 1]); // output for opacity between .3 and 1 %
return color(valueIn); // return that number to the caller
}
function getDataRange() {
// function loops through all the data values from the current data attribute
// and returns the min and max values
var min = Infinity, max = -Infinity;
d3.selectAll('.county')
.each(function (d, i) {
var currentValue = d.properties[attributeArray[currentAttribute]];
if (currentValue <= min && currentValue != -99 && currentValue != 'undefined') {
min = currentValue;
}
if (currentValue >= max && currentValue != -99 && currentValue != 'undefined') {
max = currentValue;
}
});
return [min, max];
}
function animateMap() {
var timer; // create timer object
d3.select('#play')
.on('click', function () { // when user clicks the play button
if (playing == false) { // if the map is currently playing
timer = setInterval(function () { // set a JS interval
if (currentAttribute < attributeArray.length - 1) {
currentAttribute += 1; // increment the current attribute counter
} else {
currentAttribute = 0; // or reset it to zero
}
sequenceMap(); // update the representation of the map
d3.select('#clock').html(attributeArray[currentAttribute]); // update the clock
}, 2000);
d3.select(this).html('Stop'); // change the button label to stop
playing = true; // change the status of the animation
} else { // else if is currently playing
clearInterval(timer); // stop the animation by clearing the interval
d3.select(this).html('Play'); // change the button label to play
playing = false; // change the status again
}
});
}
window.onload = init(); // magic starts here
最佳答案
无需使用 css 设置所有要素的颜色,然后将线性比例中的不透明度值应用于每个要素,您可以直接使用比例输出颜色(D3 比例范围接受颜色)。然后,不要设置填充不透明度,只需设置填充即可。
例如:
var color = d3.scale.linear()
.domain([0, 9])
.range(["blue", "green"]);
var svg = d3.select('body')
.append('svg')
.attr('width',500)
.attr('height',200);
svg.selectAll('rect')
.data(d3.range(10))
.enter()
.append('rect')
.attr('x',function(d,i) { return i * 40; })
.attr('y',30)
.attr('width',30)
.attr('height',30)
.attr('fill',function(d,i) { return color(i); });
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3/3.4.11/d3.min.js"></script>
var color = d3.scale.linear()
.domain([0, 5, 9])
.range(["blue", "yellow", "green"]);
var svg = d3.select('body')
.append('svg')
.attr('width',500)
.attr('height',200);
svg.selectAll('rect')
.data(d3.range(10))
.enter()
.append('rect')
.attr('x',function(d,i) { return i * 40; })
.attr('y',30)
.attr('width',30)
.attr('height',30)
.attr('fill',function(d,i) { return color(i); });
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3/3.4.11/d3.min.js"></script>
var color = d3.scale.threshold()
.domain([2, 5, 9])
.range(["blue","yellow","green","orange"]);
var svg = d3.select('body')
.append('svg')
.attr('width',500)
.attr('height',200);
svg.selectAll('rect')
.data(d3.range(10))
.enter()
.append('rect')
.attr('x',function(d,i) { return i * 40; })
.attr('y',30)
.attr('width',30)
.attr('height',30)
.attr('fill',function(d,i) { return color(i); });
<script src="https://cdnjs.cloudflare.com/ajax/libs/d3/3.4.11/d3.min.js"></script>
关于d3.js - 如何根据数据值将特定颜色应用于 D3.js map ?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/42546344/
我正在阅读 java swing,但在理解它时遇到问题。 Color 是一个类吗? Color[] col= {Color.RED,Color.BLUE}; 这在java中是什么意思? 最佳答案 Is
我正在研究用 python 编写的 pacman 程序。其中一个模块是处理吃 bean 游戏的图形表示。这当然是一些主机颜色。列表如下: GHOST_COLORS = [] ## establishe
本网站:http://pamplonaenglishteacher.com 源代码在这里:https://github.com/Yorkshireman/pamplona_english_teache
我最近将我的手机更新为 Android Marshmallow 并在其上运行了我现有的应用程序,但注意到颜色行为有所不同:将更改应用到 View (可绘制)的背景时,共享相同背景的所有 View (引
所有 X11/w3c 颜色代码在 Android XML 资源文件格式中是什么样的? I know this looks a tad ridiculous as a question, but giv
试图让 ffmpeg 创建音频波形,同时能够控制图像大小、颜色和幅度。我已经尝试过这个(以及许多变体),但它只是返回无与伦比的 "。 ffmpeg -i input -filter_complex "
我很好奇你是否有一些关于 R 中颜色酿造的技巧,对于许多独特的颜色,以某种方式使图表仍然好看。 我需要大量独特的颜色(至少 24 种,可能需要更多,~50 种)用于堆叠区域图(所以不是热图,渐变色不起
我看到的许多 WPF 示例和示例似乎都有硬编码的颜色。这些指南 - http://msdn.microsoft.com/en-us/library/aa350483.aspx建议不要硬编码颜色。在构建
我想更改文件夹的默认蓝色 如何设置? 最佳答案 :hi Directory guifg=#FF0000 ctermfg=red 关于Vim NERDTree 颜色,我们在Stack Overflow上
是否有关于如何将任意字符串哈希为 RGB 颜色值的最佳实践?或者更一般地说:3 个字节。 你问:我什么时候需要这个?这对我来说并不重要,但想象一下任何 GitHub 上的那些管图 network pa
我正在尝试将默认颜色设置为自定义窗口小部件。 这是有问题的代码。 class ReusableCard extends StatelessWidget { ReusableCard({this.
import javax.swing.*; import javax.swing.table.DefaultTableCellRenderer; import javax.swing.table.Ta
我有一个 less 文件来定义一堆颜色/颜色。每个类名都包含相关颜色的名称,例如 .colourOrange{..} 或 .colourBorderOrange{..} 或 navLeftButtOr
我有一个RelativeLayout,我需要一个黑色背景和一个位于其中间的小图像。我使用了这段代码: 其中@drawable/bottom_box_back是: 这样我就可以将图像居中了。但背
我需要设置 浅色 的 JPanel 背景,只是为了不覆盖文本(粗体黑色)。 此刻我有这个: import java.util.Random; .... private Random random =
我正在尝试制作一个自定义文本编辑器,可以更改特定键入单词的字体和颜色。如何更改使用光标突出显示的文本的字体和/或颜色? 我还没有尝试过突出显示部分。我尝试获取整个 hEdit(HWND) 区域并更改字
我想改变我整个应用程序的颜色。 在我的 AndroidManfiest.xml 中,我有正确的代码: 在 values 文件夹中,我有 app_theme.xml: @style/MyAc
是否可以使用 android 数据绑定(bind)从 xml 中引用颜色? 这很好用: android:textColor="@{inputValue == null ? 0xFFFBC02D : 0
有没有办法在 Android 应用程序中设置“空心”颜色? 我的意思是我想要一个带有某种背景的框,而文本实际上会导致背景透明。换句话说,如果整个 View 在蓝色背景上,文本将是蓝色的,如果它是红色的
我用CGContextStrokePath画在白色背景图片中的一条直线上,描边颜色为红色,alpha为1.0画线后,为什么点不是(255, 0, 0),而是(255, 96, 96)为什么不是纯红色?
我是一名优秀的程序员,十分优秀!