我有一个字符串:
Mat hwnd2mat(HWND hwnd) {
HDC hwindowDC, hwindowCompatibleDC;
int height, width, srcheight, srcwidth;
HBITMAP hbwindow;
Mat src;
BITMAPINFOHEADER bi;
hwindowDC = GetDC(hwnd);
hwindowCompatibleDC = CreateCompatibleDC(hwindowDC);
SetStretchBltMode(hwindowCompatibleDC, COLORONCOLOR);
RECT windowsize; // get the height and width of the screen
GetClientRect(hwnd, &windowsize);
srcheight = windowsize.bottom;
srcwidth = windowsize.right;
height = windowsize.bottom / 1; //change this to whatever size you want to resize to
width = windowsize.right / 1;
src.create(height, width, CV_8UC4);
// create a bitmap
hbwindow = CreateCompatibleBitmap(hwindowDC, width, height);
bi.biSize = sizeof(BITMAPINFOHEADER); //http://msdn.microsoft.com/en-us/library/windows/window/dd183402%28v=vs.85%29.aspx
bi.biWidth = width;
bi.biHeight = -height; //this is the line that makes it draw upside down or not
bi.biPlanes = 1;
bi.biBitCount = 32;
bi.biCompression = BI_RGB;
bi.biSizeImage = 0;
bi.biXPelsPerMeter = 0;
bi.biYPelsPerMeter = 0;
bi.biClrUsed = 0;
bi.biClrImportant = 0;
SelectObject(hwindowCompatibleDC, hbwindow);
StretchBlt(hwindowCompatibleDC, 0, 0, width, height, hwindowDC, 0, 0, srcwidth, srcheight, SRCCOPY); //change SRCCOPY to NOTSRCCOPY for wacky colors !
GetDIBits(hwindowCompatibleDC, hbwindow, 0, height, src.data, (BITMAPINFO *)&bi, DIB_RGB_COLORS); //copy from hwindowCompatibleDC to hbwindow
DeleteObject(hbwindow);
DeleteDC(hwindowCompatibleDC);
ReleaseDC(hwnd, hwindowDC);
return src;
}
int main() {
HWND hwndDesktop = GetDesktopWindow();
Mat src = hwnd2mat(hwndDesktop);
imwrite("output.bmp", src);
return 0;
}
const str = 'my string is awesome <%010203%> and super cool <%090807%>'
中的符号是id。
我有一个函数,该函数通过该ID <%%>
获取一些数据。我想从该字符串创建一个看起来像这样的数组:
getDataById(id)
我该怎么办?谢谢
答案 0 :(得分:1)
由于我不知道您尝试了什么,因此无法帮助您了解在哪里可能会遇到困难。
因此,从零开始,您似乎需要将字符串分成多个部分,并仅将与ID格式匹配的部分的值替换为函数调用。幸运的是,拆分发生在发生替换的地方。
解决第一部分,我们可以使用split
和正则表达式作为分隔符,还可以使用捕获将ID部分包括在输出中。
str.split(/<%(\d+)%>/)
如果我们不包含ID的捕获,则分隔符将不包含在输出中。
现在将ID与函数调用进行对话。 map
非常适合遍历数组(split
的输出)并将其转换为新数组,并对每个元素进行转换。但是,由于我们只想将ID替换为函数调用,因此我们不需要转换每个值。这意味着我们将需要测试何时转换值。
对于测试,一种简单的方法可能是使用另一个正则表达式来查看该值是否为ID格式,但是无论多奇怪,都可能会出现非ID字符串的假阳性匹配。
另一种方法是,由于拆分的输出是一个像这样的数组:
['some string', ID, 'some other string', ID, 'this could look like an ID', ID, ...]
然后我们可以快速看到ID是数组的每个其他元素。在迭代的索引值上使用remainder(或取模),将使我们能够快速并确定地知道我们有一个ID。
arr.map((val, index) => index % 2 ? getDataById(val) : val)
const str = 'my string is awesome <%010203%> and super cool <%090807%>';
const arr = str
.split(/<%(\d+)%>/)
.map((v, i) => i % 2 ? `getDataById('${v}')` : v); // outputting with template to show desired value
console.log(arr);
答案 1 :(得分:0)
尽管将所有内容添加到这样的数组中有点尴尬,但简单地替换字符串中的值会更容易。如果这对您有用,那么这是一个简单的实现。
const str = 'my string is awesome <%010203%> and super cool <%090807%>';
function getDataById(id) {
return '(My data: ' + id + ')';
}
console.log(str.replace(/<%(\d+)%>/g, getDataById('$1')));
我们通过匹配<%
,然后是1个或多个数字的捕获大小写,然后是%>
,来匹配任何标签。然后,我们将其替换为getDataById()
函数,并传入捕获案例的值。